<atom:link href="http://people.skolelinux.org/pere/blog/index.rss" rel="self" type="application/rss+xml" />
<item>
- <title>Automatically upgrading server firmware on Dell PowerEdge</title>
- <link>http://people.skolelinux.org/pere/blog/Automatically_upgrading_server_firmware_on_Dell_PowerEdge.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Automatically_upgrading_server_firmware_on_Dell_PowerEdge.html</guid>
- <pubDate>Mon, 21 Nov 2011 12:00:00 +0100</pubDate>
- <description><p>At work we have heaps of servers. I believe the total count is
-around 1000 at the moment. To be able to get help from the vendors
-when something go wrong, we want to keep the firmware on the servers
-up to date. If the firmware isn't the latest and greatest, the
-vendors typically refuse to start debugging any problems until the
-firmware is upgraded. So before every reboot, we want to upgrade the
-firmware, and we would really like everyone handling servers at the
-university to do this themselves when they plan to reboot a machine.
-For that to happen we at the unix server admin group need to provide
-the tools to do so.</p>
-
-<p>To make firmware upgrading easier, I am working on a script to
-fetch and install the latest firmware for the servers we got. Most of
-our hardware are from Dell and HP, so I have focused on these servers
-so far. This blog post is about the Dell part.</P>
-
-<p>On the Dell FTP site I was lucky enough to find
-<a href="ftp://ftp.us.dell.com/catalog/Catalog.xml.gz">an XML file</a>
-with firmware information for all 11th generation servers, listing
-which firmware should be used on a given model and where on the FTP
-site I can find it. Using a simple perl XML parser I can then
-download the shell scripts Dell provides to do firmware upgrades from
-within Linux and reboot when all the firmware is primed and ready to
-be activated on the first reboot.</p>
-
-<p>This is the Dell related fragment of the perl code I am working on.
-Are there anyone working on similar tools for firmware upgrading all
-servers at a site? Please get in touch and lets share resources.</p>
-
-<p><pre>
-#!/usr/bin/perl
-use strict;
-use warnings;
-use File::Temp qw(tempdir);
-BEGIN {
- # Install needed RHEL packages if missing
- my %rhelmodules = (
- 'XML::Simple' => 'perl-XML-Simple',
- );
- for my $module (keys %rhelmodules) {
- eval "use $module;";
- if ($@) {
- my $pkg = $rhelmodules{$module};
- system("yum install -y $pkg");
- eval "use $module;";
- }
- }
-}
-my $errorsto = 'pere@hungry.com';
-
-upgrade_dell();
-
-exit 0;
-
-sub run_firmware_script {
- my ($opts, $script) = @_;
- unless ($script) {
- print STDERR "fail: missing script name\n";
- exit 1
- }
- print STDERR "Running $script\n\n";
-
- if (0 == system("sh $script $opts")) { # FIXME correct exit code handling
- print STDERR "success: firmware script ran succcessfully\n";
- } else {
- print STDERR "fail: firmware script returned error\n";
- }
-}
-
-sub run_firmware_scripts {
- my ($opts, @dirs) = @_;
- # Run firmware packages
- for my $dir (@dirs) {
- print STDERR "info: Running scripts in $dir\n";
- opendir(my $dh, $dir) or die "Unable to open directory $dir: $!";
- while (my $s = readdir $dh) {
- next if $s =~ m/^\.\.?/;
- run_firmware_script($opts, "$dir/$s");
- }
- closedir $dh;
- }
-}
-
-sub download {
- my $url = shift;
- print STDERR "info: Downloading $url\n";
- system("wget --quiet \"$url\"");
-}
-
-sub upgrade_dell {
- my @dirs;
- my $product = `dmidecode -s system-product-name`;
- chomp $product;
-
- if ($product =~ m/PowerEdge/) {
-
- # on RHEL, these pacakges are needed by the firwmare upgrade scripts
- system('yum install -y compat-libstdc++-33.i686 libstdc++.i686 libxml2.i686 procmail');
-
- my $tmpdir = tempdir(
- CLEANUP => 1
- );
- chdir($tmpdir);
- fetch_dell_fw('catalog/Catalog.xml.gz');
- system('gunzip Catalog.xml.gz');
- my @paths = fetch_dell_fw_list('Catalog.xml');
- # -q is quiet, disabling interactivity and reducing console output
- my $fwopts = "-q";
- if (@paths) {
- for my $url (@paths) {
- fetch_dell_fw($url);
- }
- run_firmware_scripts($fwopts, $tmpdir);
- } else {
- print STDERR "error: Unsupported Dell model '$product'.\n";
- print STDERR "error: Please report to $errorsto.\n";
- }
- chdir('/');
- } else {
- print STDERR "error: Unsupported Dell model '$product'.\n";
- print STDERR "error: Please report to $errorsto.\n";
- }
-}
-
-sub fetch_dell_fw {
- my $path = shift;
- my $url = "ftp://ftp.us.dell.com/$path";
- download($url);
-}
-
-# Using ftp://ftp.us.dell.com/catalog/Catalog.xml.gz, figure out which
-# firmware packages to download from Dell. Only work for Linux
-# machines and 11th generation Dell servers.
-sub fetch_dell_fw_list {
- my $filename = shift;
-
- my $product = `dmidecode -s system-product-name`;
- chomp $product;
- my ($mybrand, $mymodel) = split(/\s+/, $product);
-
- print STDERR "Finding firmware bundles for $mybrand $mymodel\n";
-
- my $xml = XMLin($filename);
- my @paths;
- for my $bundle (@{$xml->{SoftwareBundle}}) {
- my $brand = $bundle->{TargetSystems}->{Brand}->{Display}->{content};
- my $model = $bundle->{TargetSystems}->{Brand}->{Model}->{Display}->{content};
- my $oscode;
- if ("ARRAY" eq ref $bundle->{TargetOSes}->{OperatingSystem}) {
- $oscode = $bundle->{TargetOSes}->{OperatingSystem}[0]->{osCode};
- } else {
- $oscode = $bundle->{TargetOSes}->{OperatingSystem}->{osCode};
- }
- if ($mybrand eq $brand && $mymodel eq $model && "LIN" eq $oscode)
- {
- @paths = map { $_->{path} } @{$bundle->{Contents}->{Package}};
- }
- }
- for my $component (@{$xml->{SoftwareComponent}}) {
- my $componenttype = $component->{ComponentType}->{value};
-
- # Drop application packages, only firmware and BIOS
- next if 'APAC' eq $componenttype;
-
- my $cpath = $component->{path};
- for my $path (@paths) {
- if ($cpath =~ m%/$path$%) {
- push(@paths, $cpath);
- }
- }
- }
- return @paths;
-}
-</pre>
-
-<p>The code is only tested on RedHat Enterprise Linux, but I suspect
-it could work on other platforms with some tweaking. Anyone know a
-index like Catalog.xml is available from HP for HP servers? At the
-moment I maintain a similar list manually and it is quickly getting
-outdated.</p>
-</description>
- </item>
-
- <item>
- <title>Støtt Digitalt Personvern!</title>
- <link>http://people.skolelinux.org/pere/blog/St_tt_Digitalt_Personvern_.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/St_tt_Digitalt_Personvern_.html</guid>
- <pubDate>Wed, 9 Nov 2011 22:10:00 +0100</pubDate>
- <description><p>Datalagringsdirektivet er et grotesk angrep på rettsstaten og da
-det ble vedtatt i Stortinget ble det klart at alle som mener det
-liberale demokrati bør forsvares måtte stå sammen for å kjempe tilbake
-de totalitære strømninger i landet. Jeg ble derfor glad over å se at
-den nyopprettede foreningen Digitalt Personvern startet innsamling
-2011-10-18 for å gå til sak for å få prøvd lovligheten av direktivet.
-Direktivet er så langt prøvd for retten i flere land, blant annet
-Tsjekkia, Romania og Tyskland, og så vidt jeg vet har det hver gang
-blitt kjent ulovlig av høyesterett eller forfatningsdomstolen i
-landene. Jeg håper og tror det samme vil skje her i Norge.</p>
-
-<p>Men for å finne ut av det må det finansiering til. Foreningen
-Digitalt Personvern tror det trengs minst 2 millioner kroner for å gå
-til sak og følge saken helt til ende, og i går fikk jeg endelig tid
-til å overføre min skjerv. Jeg har overført 3000,- til kampanjen, og
-oppfordrer hver og en av mine lesere å overføre minst like mye.</p>
-
-<p>Besøk
-<a href="http://www.digitaltpersonvern.no/bidra/">donasjonssiden</a>
-til Digitalt Personvern for å finne kontonummer som kan brukes for å
-bidra.</p>
-
-<p>Jeg rekker ikke skrive så mye om hvorfor datalagringsdirektivet må
-stoppes, så jeg nøyer meg denne gangen med en liten liste med lenker
-til aktuelle artikler og innlegg om temaet.</p>
-
-<ul>
-
-<li><a href="http://www.uhuru.biz/?p=662">Skal Telenor forsvare statens
- bevisregister i retten?</a> - bloggen til Jon Wessel-Aas,
- bidragsyter til foreningen Digitalt Personvern</li>
-
-<li><a href="http://voxpublica.no/2011/10/varslere-bør-støtte-kampanjen-digital-personvern/">Varslere
- bør støtte kampanjen Digitalt Personvern</a> - Vox Publica</li>
+ <title>HTC One X - Your video? What do you mean?</title>
+ <link>http://people.skolelinux.org/pere/blog/HTC_One_X___Your_video___What_do_you_mean_.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/HTC_One_X___Your_video___What_do_you_mean_.html</guid>
+ <pubDate>Thu, 26 Apr 2012 13:20:00 +0200</pubDate>
+ <description><p>In <a href="http://www.idg.no/computerworld/article243690.ece">an
+article today</a> published by Computerworld Norway, the photographer
+<a href="http://www.urke.com/eirik/">Eirik Helland Urke</a> reports
+that the video editor application included with
+<a href="http://www.htc.com/www/smartphones/htc-one-x/#specs">HTC One
+X</a> have some quite surprising terms of use. The article is mostly
+based on the twitter message from mister Urke, stating:
-<li><a href="http://www.digi.no/880520/georg-apenes-starter-%ABdigitalt-personvern%BB">Georg
- Apenes starter «Digitalt personvern»</a> - Digi.no</li>
-
-<li><a href="http://blogg.abrenna.com/foredrag-om-digitalt-personvern/">Foredrag
- om Digitalt Personvern</a> - bloggen til Anders Brenna, styremedlem
- i foreningen Digitalt Personvern</li>
-
-<li><a href="http://www.nationen.no/2011/10/17/politikk/datalagringsdirektivet/eu/eu-direktiv/regjeringen/6990171/">Organisasjon
- vil prøve datalagringsdirektivet for retten</a> - artikkel i Nationen</li>
-
-<li><a href="http://people.skolelinux.org/pere/blog/Martin_Bekkelund__En_stille_b_nn_om_Datalagringsdirektivet.html">Martin
- Bekkelund: En stille bønn om Datalagringsdirektivet</a> - min
- blogg</li>
+<p><blockquote>
+"<a href="http://twitter.com/urke/status/194062269724897280">Drøy
+brukeravtale: HTC kan bruke MINE redigerte videoer kommersielt. Selv
+kan jeg KUN bruke dem privat</a>"
+</blockquote></p>
-<li><a href="http://tversover.wordpress.com/2011/10/21/digitalt-personvern-i-praksis/">Digitalt
- personvern i praksis</a> - bloggen til Espen Andersen</li>
+<p>I quickly translated it to this English message:</p>
-<li><a href="http://www.dagbladet.no/2011/10/22/kultur/data_og_teknologi/datalagringsdirektivet/tekno/personvern/18692696/">Tar
- kampen for personvernet til rettsalen</a> - Dagbladet</li>
+<p><blockquote>
+"Arrogant user agreement: HTC can use MY edited videos
+commercially. Although I can ONLY use them privately."
+</blockquote></p>
-</ul>
+<p>I've been unable to find the text of the license term myself, but
+suspect it is a variation of the MPEG-LA terms I
+<a href="http://people.skolelinux.org/pere/blog/Terms_of_use_for_video_produced_by_a_Canon_IXUS_130_digital_camera.html">discovered
+with my Canon IXUS 130</a>. The HTC One X specification specifies that
+the recording format of the phone is .amr for audio and .mp3 for
+video. AMR is
+<a href="http://en.wikipedia.org/wiki/Adaptive_Multi-Rate_audio_codec#Licensing_and_patent_issues">Adaptive
+Multi-Rate audio codec</a> with patents which according to the
+Wikipedia article require an license agreement with
+<a href="http://www.voiceage.com/">VoiceAge</a>. MP4 is
+<a href="http://en.wikipedia.org/wiki/H.264/MPEG-4_AVC#Patent_licensing">MPEG4 with
+H.264</a>, which according to Wikipedia require a licence agreement
+with <a href="http://www.mpegla.com/">MPEG-LA</a>.</p>
+
+<p>I know why I prefer
+<a href="http://www.digistan.org/open-standard:definition">free and open
+standards</a> also for video.</p>
</description>
</item>
<item>
- <title>Hvordan enkelt laste ned filmer fra NRK</title>
- <link>http://people.skolelinux.org/pere/blog/Hvordan_enkelt_laste_ned_filmer_fra_NRK.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Hvordan_enkelt_laste_ned_filmer_fra_NRK.html</guid>
- <pubDate>Sat, 5 Nov 2011 15:20:00 +0100</pubDate>
- <description><p>Ofte har jeg lyst til å laste ned et innslag fra NRKs nettsted for
-å se det senere når jeg ikke er på nett, eller for å ha det
-tilgjengelig når jeg en gang i fremtiden ønsker å referere til
-innslaget selv om NRK har fjernet det fra sine nettsider. I dag fant
-jeg et lite script som fikser jobben.</p>
-
-<p>Scriptet er laget av Jan Henning Thorsen og tilgjengelig fra
-<a href="http://jhthorsen.github.com/snippets/nrk-downloader/">github</a>,
-og gjør det veldig enkelt å laste ned. Kjør <tt>nrk-downloader.sh
-http://www1.nrk.no/nett-tv/klipp/582810</tt> for å hente ned et enkelt
-innslag eller <tt>nrk-downloader.sh
-http://www1.nrk.no/nett-tv/kategori/3521</tt> for å laste ned alle
-episodene i en serie.</p>
-
-<p>Det er ikke rakettforskning å laste ned NRK-"strømmer", og
-tidligere gjorde jeg dette manuelt med mplayer. Scriptet til
-Hr. Thorsen gjør det raskere og enklere for meg, men jeg vil ikke si
-at det er en revolusjonerende løsning. Jeg mener jo fortsatt at
-påstanden fra NRKs ansatte om at det er
-<a href="http://people.skolelinux.org/pere/blog/Best___ikke_fortelle_noen_at_streaming_er_nedlasting___.html">vesensforskjellig
-å legge tilgjengelig for nedlasting og for streaming</a> er
-meningsløs.</p>
+ <title>Holder de ord og NUUG lanserer testtjeneste med stortingsinformasjon</title>
+ <link>http://people.skolelinux.org/pere/blog/Holder_de_ord_og_NUUG_lanserer_testtjeneste_med_stortingsinformasjon.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Holder_de_ord_og_NUUG_lanserer_testtjeneste_med_stortingsinformasjon.html</guid>
+ <pubDate>Sun, 22 Apr 2012 15:45:00 +0200</pubDate>
+ <description><p>I
+<a href="http://people.skolelinux.org/pere/blog/Hva_har_mine_representanter_stemt_i_Storinget_.html">januar
+i fjor</a> startet vi i NUUG arbeid med å gjøre informasjon om hvem
+som har stemt hva på <a href="http://www.stortinget.no/">Stortinget</a>
+enklere tilgjengelig. I løpet av få måneder fant vi sammen med
+organisasjonen <a href="http://www.holderdeord.no/">Holder de ord</a>
+som arbeidet mot et lignende mål.</p>
+
+<p>Siden den gang har vi fått tak i maskinelt lesbart informasjon om
+hvem som stemte hva mellom 1990 og våren 2010, og tilgang til
+stortingets nye datatjeneste som har informasjon fra høsten 2011 til i
+dag. Det gjenstår litt arbeid med det første datasettet, men
+datasettet fra høsten 2011 er klart til bruk. Begge datasettene er
+tilgjengelig <a href="https://gitorious.org/nuug/folketingparser">via
+git</a>.</p>
+
+<p>På
+<a href="http://www.goopen.no/holder-de-ord-datadrevet-oppfolging-av-politiske-lofter/">Go Open</a> i morgen lanserer
+NUUG sammen med Holder de ord <a href="http://beta.holderdeord.no/">en
+test-tjeneste</a> som viser hva som er og blir behandlet på Stortinget og
+hvem som har stemt hva siden oktober i fjor. Du får herved mulighet
+til å ta en sniktitt.</p>
</description>
</item>
<item>
- <title>40 kommuner lenker nå til FiksGataMi fra sine nettsider - gjør din?</title>
- <link>http://people.skolelinux.org/pere/blog/40_kommuner_lenker_n__til_FiksGataMi_fra_sine_nettsider___gj_r_din_.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/40_kommuner_lenker_n__til_FiksGataMi_fra_sine_nettsider___gj_r_din_.html</guid>
- <pubDate>Fri, 28 Oct 2011 10:00:00 +0200</pubDate>
- <description><p>Siden lansering av NUUGs tjeneste
-<a href="http://www.fiksgatami.no/">FiksGataMi</a>, en tjeneste for å
-gjøre det enkelt for innbyggerne og rapportere og holde rede på status
-for rapporter om problemer med offentlig infrastruktur, har tusenvis
-av innbyggere bidratt med meldinger. Og spesielt gledelig er det at
-det at de fleste i offentlige selv ser verdien av tjenesten. For noen
-dager siden oppdaget jeg nok en kommune som hadde lagt inn lenke til
-FiksGataMi fra forsiden sine nettsider, og slik omfavnet tjenesten som
-sin egen. Det er dermed 40 kommuner som lenker til FiksGataMi, og det
-utgjør nesten 10 prosent av kommunene i Norge. :)</p>
-
-<p>Det gjelder så langt Askøy kommune, Audnedal kommune, Aure kommune,
-Bærum kommune, Farsund kommune, Flekkefjord kommune, Folldal kommune,
-Grue kommune, Hadsel kommune, Hamar, Hægebostad kommune, Kongsberg
-kommune, Kristiansund kommune, Kvinesdal kommune, Kviteseid kommune,
-Levanger kommune, Lindesnes kommune, Lyngdal kommune, Lørenskog
-kommune, Løten kommune, Mandal kommune, Marnardal kommune, Moss
-kommune, Namsos kommune, Nissedal kommune, Sirdal kommune, Spydeberg
-kommune, Stjørdal kommune, Stord kommune, Søgne kommune, Sør-Odal
-kommune, Tolga kommune, Tynset kommune, Tysvær kommune, Ullensvang
-Herad, Vennesla kommune, Verdal kommune, Vågan kommune, Vågå kommune
-og Åseral kommune. Hvis din kommune ikke er på listen, hva med å
-sende dem en epost og foreslå at de også lenker til FiksGataMi?</p>
-
-<p>Her er et generalisert eksempel til meldingen kan sende til sin
-kommune basert på en epost utvikleren Ørjan Vøllestad sendte til sin
-kommune og som fikk kommunen til å lenke til FiksGataMi:</p>
-
-<p><blockquote>
-<pre>
-Subject: Gjøre FiksGataMi tilgjengelig fra kommune websiden
-To: kontakt@min.kommune.no
-
-Hei,
-
-Jeg bor i Min kommune og lurte på om Min kommune kunne lagt en link
-til FiksGataMi på forsiden, lett tilgjengelig slik andre kommuner har
-gjort. Se eksempler under på hvordan det er gjort tilgjengelig og en
-liste over kommuner som har tilgjengeliggjort fiksgatami.no fra
-kommune-siden.
-
-Hvis det ikke er ønskelig, ønsker jeg en tilbakemelding på hvorfor
-ikke. Jeg liker fiksgatami og synes tjenesten er super og gjør det
-lettere for kommuner å følge opp innmeldte saker fra innbyggerne.
-
-Se <a href="http://wiki.nuug.no/grupper/fiksgatami/tips">http://wiki.nuug.no/grupper/fiksgatami/tips</a> for spørsmål og svar mellom
-andre kommuner og fiksgatami.
-Se hovedsiden for tjenesten, <a href="http://www.fiksgatami.no/">http://www.fiksgatami.no/</a>
-De har allerede en Android applikasjon som kan promoteres,
-<a href="https://market.android.com/details?id=no.fiksgatami">https://market.android.com/details?id=no.fiksgatami</a>
-
-F.eks. <a href="http://www.mandal.kommune.no/">Mandal</a> har lenke til FiksGataMi på alle sine sider under
-overskriften "Min side / Selvbetjening".
-
-Mange andre kommuner har også omfavnet FiksGataMi, og lenket inn til
-tjenesten fra sine sider. Det gjelder så langt:
-
- 1. Askøy kommune, https://www.askoy.kommune.no/
- 2. Audnedal kommune, http://www.audnedal.kommune.no/
- 3. Aure kommune, http://www.aure.kommune.no/
- 4. Bærum kommune, https://www.baerum.kommune.no/
- 5. Farsund kommune, http://www.farsund.kommune.no/
- 6. Flekkefjord kommune, http://www.flekkefjord.kommune.no/
- 7. Folldal kommune, http://folldal.kommune.no/
- 8. Grue kommune, http://www.grue.kommune.no/
- 9. Hadsel kommune, http://www.hadsel.kommune.no/
- 10. Hamar, http://www.hamar.kommune.no/category.php?categoryID=1198
- 11. Hægebostad kommune, http://www.haegebostad.kommune.no/
- 12. Kongsberg kommune, http://www.kongsberg.kommune.no/
- 13. Kristiansund kommune, http://www.kristiansund.kommune.no/
- 14. Kvinesdal kommune, http://www.kvinesdal.kommune.no/
- 15. Kviteseid kommune, http://www.kviteseid.kommune.no/
- 16. Levanger kommune, http://www.levanger.kommune.no/
- 17. Lindesnes kommune, http://www.lindesnes.kommune.no/
- 18. Lyngdal kommune, http://www.lyngdal.kommune.no/
- 19. Lørenskog kommune, http://www.lorenskog.kommune.no/
- 20. Løten kommune, http://www.loten.kommune.no/
- 21. Mandal kommune, http://www.mandal.kommune.no/
- 22. Marnardal kommune, http://www.marnardal.kommune.no/
- 23. Moss kommune, http://www.moss.kommune.no/
- 24. Namsos kommune, http://www.namsos.kommune.no/
- 25. Nissedal kommune,
- http://www.nissedal.kommune.no/Tenester/Lokalt/Trygge%20Nissedal.aspx
- 26. Sirdal kommune, http://sirdal.kommune.be/
- 27. Spydeberg kommune, http://www.spydeberg.kommune.no/
- 28. Stjørdal kommune, https://www.stjordal.kommune.no/
- 29. Stord kommune, http://www.stord.kommune.no/
- 30. Søgne kommune, http://www.sogne.kommune.no/
- 31. Sør-Odal kommune, http://www.sor-odal.kommune.no/
- 32. Tolga kommune, http://tolga.kommune.no/
- 33. Tynset kommune, http://www.tynset.kommune.no/
- 34. Tysvær kommune, http://www.tysver.kommune.no/
- 35. Ullensvang Herad,
- http://www.ullensvang.herad.no/index.php?option=com_content&view=article&id=184:fiksgatami&catid=1:naering-og-utvikling&Itemid=174
- 36. Vennesla kommune, http://www.vennesla.kommune.no/
- 37. Verdal kommune, http://www.verdal.kommune.no/
- 38. Vågan kommune, http://www.vagan.kommune.no/
- 39. Vågå kommune, http://www.vaga.kommune.no/
- 40. Åseral kommune, http://www.aseral.kommune.no/
-</pre>
-</blockquote></p>
-
-<p>Ellers kan jeg melde at FiksGataMi har fått støtte for å rapportere
-inn via <a href="http://www.open311.org/">Open311</a>-grensesnittet i
-tillegg til å bruke epost. Det betyr at hvis det offentlige
-implementerer Open311-grensesnitt på sin interne database for å
-håndtere henvendelser, så kan FiksGataMi-rapporterer sendes direkte
-dit uten å gå via epost. Det kan spare litt arbeidstid hos kommuner,
-fylker og vegvesen. Støtten er utviklet av
-<a href="http://www.mysociety.org/">mySociety</a> i England og allerede
-i bruk der. Vi håper en norsk etat melder sin interesse for å bruke
-Open311 og dermed slippe å håndtere meldingene som epost.</p>
+ <title>RAND terms - non-reasonable and discriminatory</title>
+ <link>http://people.skolelinux.org/pere/blog/RAND_terms___non_reasonable_and_discriminatory.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/RAND_terms___non_reasonable_and_discriminatory.html</guid>
+ <pubDate>Thu, 19 Apr 2012 22:20:00 +0200</pubDate>
+ <description><p>Here in Norway, the
+<a href="http://www.regjeringen.no/nb/dep/fad.html?id=339"> Ministry of
+Government Administration, Reform and Church Affairs</a> is behind
+a <a href="http://standard.difi.no/forvaltningsstandarder">directory of
+standards</a> that are recommended or mandatory for use by the
+government. When the directory was created, the people behind it made
+an effort to ensure that everyone would be able to implement the
+standards and compete on equal terms to supply software and solutions
+to the government. Free software and non-free software could compete
+on the same level.</p>
+
+<p>But recently, some standards with RAND
+(<a href="http://en.wikipedia.org/wiki/Reasonable_and_non-discriminatory_licensing">Reasonable
+And Non-Discriminatory</a>) terms have made their way into the
+directory. And while this might not sound too bad, the fact is that
+standard specifications with RAND terms often block free software from
+implementing them. The reasonable part of RAND mean that the cost per
+user/unit is low,and the non-discriminatory part mean that everyone
+willing to pay will get a license. Both sound great in theory. In
+practice, to get such license one need to be able to count users, and
+be able to pay a small amount of money per unit or user. By
+definition, users of free software do not need to register their use.
+So counting users or units is not possible for free software projects.
+And given that people will use the software without handing any money
+to the author, it is not really economically possible for a free
+software author to pay a small amount of money to license the rights
+to implement a standard when the income available is zero. The result
+in these situations is that free software are locked out from
+implementing standards with RAND terms.</p>
+
+<p>Because of this, when I see someone claiming the terms of a
+standard is reasonable and non-discriminatory, all I can think of is
+how this really is non-reasonable and discriminatory. Because free
+software developers are working in a global market, it does not really
+help to know that software patents are not supposed to be enforceable
+in Norway. The patent regimes in other countries affect us even here.
+I really hope the people behind the standard directory will pay more
+attention to these issues in the future.</p>
+
+<p>You can find more on the issues with RAND, FRAND and RAND-Z terms
+from Simon Phipps
+(<a href="http://blogs.computerworlduk.com/simon-says/2010/11/rand-not-so-reasonable/">RAND:
+Not So Reasonable?</a>).</p>
+
+<p>Update 2012-04-21: Just came across a
+<a href="http://blogs.computerworlduk.com/open-enterprise/2012/04/of-microsoft-netscape-patents-and-open-standards/index.htm">blog
+post from Glyn Moody</a> over at Computer World UK warning about the
+same issue, and urging people to speak out to the UK government. I
+can only urge Norwegian users to do the same for
+<a href="http://www.standard.difi.no/hoyring/hoyring-om-nye-anbefalte-it-standarder">the
+hearing taking place at the moment</a> (respond before 2012-04-27).
+It proposes to require video conferencing standards including
+specifications with RAND terms.</p>
</description>
</item>
<item>
- <title>Free e-book kiosk for the public libraries?</title>
- <link>http://people.skolelinux.org/pere/blog/Free_e_book_kiosk_for_the_public_libraries_.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Free_e_book_kiosk_for_the_public_libraries_.html</guid>
- <pubDate>Fri, 7 Oct 2011 19:20:00 +0200</pubDate>
- <description><p>Here in Norway the public libraries are debating with the
-publishing houses how to handle electronic books. Surprisingly, the
-libraries seem to be willing to accept digital restriction mechanisms
-(DRM) on books and renting e-books with artificial scarcity from the
-publishing houses. Time limited renting (2-3 years) is one proposed
-model, and only allowing X borrowers for each book is another.
-Personally I find it amazing that libraries are even considering such
-models.</p>
-
-<p>Anyway, while reading <a href="http://boklaben.no/?p=220">part of
-this debate</a>, it occurred to me that someone should present a more
-sensible approach to the libraries, to allow its borrowers to get used
-to a better model. The idea is simple:</p>
-
-<p>Create a computer system for the libraries, either in the form of a
-Live DVD or a installable distribution, that provide a simple kiosk
-solution to hand out free e-books. As a start, the books distributed
-by <a href="http://www.gutenberg.org/">Project Gutenberg</a> (abount
-36,000 books), <a href="http://runeberg.org/">Project Runenberg</a>
-(1149 books) and <a href="http://www.archive.org/details/texts">The
-Internet Archive</a> (3,033,748 books) could be included, but any book
-where the copyright has expired or with a free licence could be
-distributed.</p>
-
-<p>The computer system would make it easy to:</p>
-
-<ul>
+ <title>Forskning: "GPL gir lokal frihet og kontroll gjennom omfordeling av makt fra produsent til bruker"</title>
+ <link>http://people.skolelinux.org/pere/blog/Forskning___GPL_gir_lokal_frihet_og_kontroll_gjennom_omfordeling_av_makt_fra_produsent_til_bruker_.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Forskning___GPL_gir_lokal_frihet_og_kontroll_gjennom_omfordeling_av_makt_fra_produsent_til_bruker_.html</guid>
+ <pubDate>Sun, 15 Apr 2012 13:00:00 +0200</pubDate>
+ <description><p>Da jeg googlet etter noe annet kom jeg tilfeldigvis over
+<a href="http://www.duo.uio.no/sok/work.html?WORKID=58309">en
+hovedfagsoppgave</a> ved Universitetet i Oslo som diskuterer verdien
+av GPLs fire friheter for brukerne av IT-systemer. Jeg ble fascinert
+over det som presenteres der. Her er sammendraget:</p>
-<li>Copy e-books into a USB stick, reading tablets, cell phones and
- other relevant equipment.</li>
+<p><blockquote>
-<li>Show the books for reading on the the screen in the library.</li>
+<p>Motivasjonen til å skrive denne oppgaven er en personlig undring
+over hvorfor det primært, og ofte eksklusivt, fokuseres på det
+økonomiske aspektet ved utredninger om fri programvare er et godt valg
+for det offentlige. Fri og produsenteid programvare bygger på
+fundamentalt forskjellige ideologier som kan ha implikasjoner utover
+økonomiske kostnader. Kunnskapskulturen som er med på å definere fri
+programvare er basert på åpenhet, og er en verdi i seg selv.</p>
+
+<p>Oppgavens tema er programvarelisensen GPL og frihet. GPL-lisensiert
+programvare gir visse friheter i forhold til produsenteid
+programvare. Mitt spørsmål er om, og eventuelt i hvilken utstrekning,
+disse frihetene blir benyttet av ulike brukere og hvordan de
+manifesterer seg for disse brukerne. Sentrale spørsmål i oppgaven
+er:</p>
+<ul>
+<li>Hvordan fordeles handlekraft gjennom lisensieringen av programvaren?</li>
+<li>Hvilke konsekvenser har programvarelisensen for de ulike brukere? </li>
</ul>
-<p>In addition to such kiosk solution, there should probably be a web
-site as well to allow people easy access to these books without
-visiting the library. The site would be the distribution point for
-the kiosk systems, which would connect regularly to fetch any new
-books available.</p>
+<p>Fri programvare gir blant annet brukeren mulighet til å studere og
+modifisere kildekoden. Denne formen for frihet erverves gjennom
+kunnskap og krever at brukeren også er en ekspert. Hva skjer med
+frihetene til GPL når sluttbrukeren er en annen? Dette diskuteres i
+dialog med informantene.</p>
+
+<p>Jeg har i denne oppgaven samlet inn intervjudata fra IKT-ansvarlige
+ved grunnskolene i Nittedal kommune, driftsansvarlig og IKT-veilederen
+for skolene i kommunen, samt IKT-koordinator for utdanning i Akershus
+fylkeskommune og bokmåloversettere av OpenOffice.org. Den empiriske
+delen av oppgaven er delt inn i to seksjoner; den første omhandler
+operativsystemet Skolelinux, den andre kontorprogrampakken
+OpenOffice.org.</p>
+
+<p>Som vi vil se gir GPL lokal frihet og kontroll gjennom omfordeling
+av makt fra produsent til bruker. Brukerens makt analyseres gjennom
+begrepene brukermedvirkning og handlingsfrihet. Det blir også lagt
+vekt på strukturelle forhold rundt bruken av teknologi, og spesielt de
+økonomiske begrepene nettverkseksternaliteter, innlåsing og
+stiavhengighet. Dette er begreper av spesiell nytte når objektet som
+omsettes eller distribueres er et kommunikasjonsprodukt, fordi verdien
+til et slikt gode for en potensiell bruker avhenger av antall
+eksisterende brukere av godet. I tilknytning til denne problematikken
+inneholder oppgaven også en diskusjon rundt åpne standarder og
+formater.</p>
+
+<p>Oppgaven konkluderer med at de «fire frihetene» som GPL-lisensen er
+laget for å beskytte er av avgjørende betydning for bruken av
+OpenOffice.org og Skolelinux, i Akershus fylkeskommune såvel som i
+skolene i Nittedal. Distribusjonen av handlekraft er ikke helt
+symmetrisk. Det er først og fremst de profesjonelle utviklerne i
+Skolelinux som direkte kan nyttiggjøre seg friheten til å endre kode,
+mens en sluttbruker som Nittedal kommune nyttiggjør seg den økonomiske
+friheten til å kunne distribuere programmene. Det er imidlertid også
+slik at ingen aktør klarer seg uten alle disse «frihetene».</p>
+</blockquote></p>
+
+<p>Jeg fant også en masteroppgave fra 2006, men der ligger ikke
+komplett oppgave tilgjengelig. På tide å holde et øye med
+<a href="http://www.duo.uio.no/sok/search.html?q=skolelinux">Skolelinux-søket</a>
+til DUO...</p>
-<p>Are there anyone working on a system like this? I guess it would
-fit any library in the world, and not just the Norwegian public
-libraries. :)</p>
</description>
</item>
<item>
- <title>Ripping problematic DVDs using dvdbackup and genisoimage</title>
- <link>http://people.skolelinux.org/pere/blog/Ripping_problematic_DVDs_using_dvdbackup_and_genisoimage.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Ripping_problematic_DVDs_using_dvdbackup_and_genisoimage.html</guid>
- <pubDate>Sat, 17 Sep 2011 20:20:00 +0200</pubDate>
- <description><p>For convenience, I want to store copies of all my DVDs on my file
-server. It allow me to save shelf space flat while still having my
-movie collection easily available. It also make it possible to let
-the kids see their favourite DVDs without wearing the physical copies
-down. I prefer to store the DVDs as ISOs to keep the DVD menu and
-subtitle options intact. It also ensure that the entire film is one
-file on the disk. As this is for personal use, the ripping is
-perfectly legal here in Norway.</p>
-
-<p>Normally I rip the DVDs using dd like this:</p>
-
-<blockquote><pre>
-#!/bin/sh
-# apt-get install lsdvd
-title=$(lsdvd 2>/dev/null|awk '/Disc Title: / {print $3}')
-dd if=/dev/dvd of=/storage/dvds/$title.iso bs=1M
-</pre></blockquote>
-
-<p>But some DVDs give a input/output error when I read it, and I have
-been looking for a better alternative. I have no idea why this I/O
-error occur, but suspect my DVD drive, the Linux kernel driver or
-something fishy with the DVDs in question. Or perhaps all three.</p>
-
-<p>Anyway, I believe I found a solution today using dvdbackup and
-genisoimage. This script gave me a working ISO for a problematic
-movie by first extracting the DVD file system and then re-packing it
-back as an ISO.
-
-<blockquote><pre>
-#!/bin/sh
-# apt-get install lsdvd dvdbackup genisoimage
-set -e
-tmpdir=/storage/dvds/
-title=$(lsdvd 2>/dev/null|awk '/Disc Title: / {print $3}')
-dvdbackup -i /dev/dvd -M -o $tmpdir -n$title
-genisoimage -dvd-video -o $tmpdir/$title.iso $tmpdir/$title
-rm -rf $tmpdir/$title
-</pre></blockquote>
-
-<p>Anyone know of a better way available in Debian/Squeeze?</p>
-
-<p>Update 2011-09-18: I got a tip from Konstantin Khomoutov about the
-readom program from the wodim package. It is specially written to
-read optical media, and is called like this: <tt>readom dev=/dev/dvd
-f=image.iso</tt>. It got 6 GB along with the problematic Cars DVD
-before it failed, and failed right away with a Timmy Time DVD.</p>
-
-<p>Next, I got a tip from Bastian Blank about
-<a href="http://bblank.thinkmo.de/blog/new-software-python-dvdvideo">his
-program python-dvdvideo</a>, which seem to be just what I am looking
-for. Tested it with my problematic Timmy Time DVD, and it succeeded
-creating a ISO image. The git source built and installed just fine in
-Squeeze, so I guess this will be my tool of choice in the future.</p>
+ <title>Debian Edu interview: Andreas Mundt</title>
+ <link>http://people.skolelinux.org/pere/blog/Debian_Edu_interview__Andreas_Mundt.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Debian_Edu_interview__Andreas_Mundt.html</guid>
+ <pubDate>Sun, 15 Apr 2012 12:10:00 +0200</pubDate>
+ <description><p>Behind <a href="http://www.skolelinux.org/">Debian Edu and
+Skolelinux</a> there are a lot of people doing the hard work of
+setting together all the pieces. This time I present to you Andreas
+Mundt, who have been part of the technical development team several
+years. He was also a key contributor in getting GOsa and Kerberos set
+up in the recently released
+<a href="http://wiki.debian.org/DebianEdu/Documentation/Squeeze">Debian
+Edu Squeeze</a> version.</p>
+
+<p><strong>Who are you, and how do you spend your days?</strong></p>
+
+<p>My name is Andreas Mundt, I grew up in south Germany. After
+studying Physics I spent several years at university doing research in
+Quantum Optics. After that I worked some years in an optics company.
+Finally I decided to turn over a new leaf in my life and started
+teaching 10 to 19 years old kids at school. I teach math, physics,
+information technology and science/technology.</p>
+
+<p><strong>How did you get in contact with the Skolelinux/Debian Edu
+project?</strong></p>
+
+<p>Already before I switched to teaching, I followed the Debian Edu
+project because of my interest in education and Debian. Within the
+qualification/training period for the teaching, I started
+contributing.</p>
+
+<p><strong>What do you see as the advantages of Skolelinux/Debian
+Edu?</strong></p>
+
+<p>The advantages of Debian Edu are the well known name, the
+out-of-the-box philosophy and of course the great free software of the
+Debian Project!</p>
+
+<p><strong>What do you see as the disadvantages of Skolelinux/Debian
+Edu?</strong></p>
+
+<p>As every coin has two sides, the out-of-the-box philosophy has its
+downside, too. In my opinion, it is hard to modify and tweak the
+setup, if you need or want that. Further more, it is not easily
+possible to upgrade the system to a new release. It takes much too
+long after a Debian release to prepare the -Edu release, perhaps
+because the number of developers working on the core of the code is
+rather small and often busy elsewhere.</p>
+
+<p>The <a href="http://wiki.debian.org/DebianLAN">Debian LAN</a>
+project might fill the use case of a more flexible system.</p>
+
+<p><strong>Which free software do you use daily?</strong></p>
+
+<p>I am only using non-free software if I am forced to and run Debian
+on all my machines. For documents I prefer LaTeX and PGF/TikZ, then
+mutt and iceweasel for email respectively web browsing. At school I
+have Arduino and Fritzing in use for a micro controller project.</p>
+
+<p><strong>Which strategy do you believe is the right one to use to
+get schools to use free software?</strong></p>
+
+<p>One of the major problems is the vendor lock-in from top to bottom:
+Especially in combination with ignorant government employees and
+politicians, this works out great for the "market-leader". The school
+administration here in Baden-Wuerttemberg is occupied by that vendor.
+Documents have to be prepared in non-free, proprietary formats. Even
+free browsers do not work for the school administration. Publishers
+of school books provide software only for proprietary platforms.</p>
+
+<p>To change this, political work is very important. Parts of the
+political spectrum have become aware of the problem in the last years.
+However it takes quite some time and courageous politicians to 'free'
+the system. There is currently some discussion about "Open Data" and
+"Free/Open Standards". I am not sure if all the involved parties have
+a clue about the potential of these ideas, and probably only a
+fraction takes them seriously. However it might slowly make free
+software and the philosophy behind it more known and popular.</p>
+</description>
+ </item>
+
+ <item>
+ <title>Jeg skal på konferansen Go Open 2012</title>
+ <link>http://people.skolelinux.org/pere/blog/Jeg_skal_p__konferansen_Go_Open_2012.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Jeg_skal_p__konferansen_Go_Open_2012.html</guid>
+ <pubDate>Fri, 13 Apr 2012 11:30:00 +0200</pubDate>
+ <description><p>Jeg har tenkt meg på konferansen <a href="http://www.goopen.no/">Go
+Open 2012</a> i Oslo 23. april.
+<a href="http://www.nuug.no/">Medlemsforeningen NUUG</a> deler ut
+<a href="http://www.nuug.no/prisen/">prisen for fremme av fri
+programvare i Norge</a> der i år. Kommer du?</p>
</description>
</item>
<item>
- <title>Kommunevalget må visst kontrollregnes på</title>
- <link>http://people.skolelinux.org/pere/blog/Kommunevalget_m__visst_kontrollregnes_p_.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Kommunevalget_m__visst_kontrollregnes_p_.html</guid>
- <pubDate>Wed, 14 Sep 2011 10:35:00 +0200</pubDate>
- <description><p>En artikkel i aftenbladet påstår at valgsystemet til EDB Ergogroup
-<a href="http://www.aftenbladet.no/innenriks/politikk/valg/De-Grnne-regner-seg-inn-i-bystyret-2864487.html">ikke
-regner riktig mandatfordeling</a> i Stavanger. Det høres for meg ut
-som om innbyggerne i Norge er nødt til å kontrollregne på
-mandatfordelingen for å sikre at valget går riktig for seg. Det tar
-jeg som nok et argument for nøyere kontroll av det norske
-valgsystemet.</p>
+ <title>Debian Edu interview: Justin B. Rye</title>
+ <link>http://people.skolelinux.org/pere/blog/Debian_Edu_interview__Justin_B__Rye.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Debian_Edu_interview__Justin_B__Rye.html</guid>
+ <pubDate>Sun, 8 Apr 2012 10:50:00 +0200</pubDate>
+ <description><p>It take all kind of contributions to create a Linux distribution
+like <a href="http://www.skolelinux.org/">Debian Edu / Skolelinux</a>,
+and this time I lend the ear to Justin B. Rye, who is listed as a big
+contributor to the
+<a href="http://wiki.debian.org/DebianEdu/Documentation/Squeeze">Debian
+Edu Squeeze release manual</a>.
+
+<p><strong>Who are you, and how do you spend your days?</strong></p>
+
+<p>I'm a 44-year-old linguistics graduate living in Edinburgh who has
+occasionally been employed as a sysadmin.</p>
+
+<p><strong>How did you get in contact with the Skolelinux/Debian Edu
+project?</strong></p>
+
+<p>I'm neither a developer nor a Skolelinux/Debian Edu user! The only
+reason my name's in the credits for the documentation is that I hang
+around on debian-l10n-english waiting for people to mention things
+they'd like a native English speaker to proofread... So I did a sweep
+through the wiki for typos and Norglish and inconsistent spellings of
+"localisation".</p>
+
+<p><strong>What do you see as the advantages of Skolelinux/Debian
+Edu?</strong></p>
+
+<p><strong>What do you see as the disadvantages of Skolelinux/Debian
+Edu?</strong></p>
+
+<p>These questions are too hard for me - I don't use it! In fact I
+had hardly any contact with I.T. until long after I'd got out of the
+education system.</p>
+
+<p>I can tell you the advantages of Debian for me though: it soaks up
+as much of my free time as I want and no more, and lets me do
+everything I want a computer for without ever forcing me to spend
+money on the latest hardware.</p>
+
+<p><strong>Which free software do you use daily?</strong></p>
+
+<p>I've been using Debian since Rex; popularity-contest says the
+software that I use most is xinit, xterm, and xulrunner (in other
+words, I use a distinctly retro sort of desktop).</p>
+
+<p><strong>Which strategy do you believe is the right one to use to
+get schools to use free software?</strong></p>
+
+<p>Well, I don't know. I suppose I'd be inclined to try reasoning
+with the people who make the decisions, but obviously if that worked
+you would hardly need a strategy.</p>
</description>
</item>
<item>
- <title>Noen problemer rundt unikt nummererte stemmesedler i norske valg</title>
- <link>http://people.skolelinux.org/pere/blog/Noen_problemer_rundt_unikt_nummererte_stemmesedler_i_norske_valg.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Noen_problemer_rundt_unikt_nummererte_stemmesedler_i_norske_valg.html</guid>
- <pubDate>Tue, 13 Sep 2011 16:00:00 +0200</pubDate>
- <description><p>I digi.no forklarer Ergo Group at gårdagens problemer med
-opptelling av stemmesedler ved kommunevalget var at
-<a href="http://www.digi.no/877938/ikke-programmeringsshy%3Bfeil-i-valgshy%3Bsystemet">noen
-stemmesedler ikke hadde unike løpenummer</a>, og at programvaren som
-ble brukt til telling ikke var laget for å håndtere dette. Jeg ble
-svært overrasket over å lese at norske stemmesedler har unike
-løpenummer, da min forståelse er at det går på bekostning av kravet om
-hemmelige valg.</p>
-
-<p>Jeg har ikke god oversikt over hvilke problemer dette kan skape for
-hemmelig valg, men her er noen scenarier som virker problematiske for
-meg:</p>
-
-<p>(1) Jomar og Bertil avtaler at Bertil skal stemme på Lurepartiet
-med stemmeseddelen som Bertil får utlevert fra Jomar, og belønnes for
-dette. Stemmeseddelen har et unikt løpenummer, og ved opptellingen
-sjekker Jomar at stemmeseddelen til Lurepartiet det unike løpenummeret
-er med i stemmesedlene som ble talt opp før Bertil får sin belønning.
-Unike løpenummer legger så vidt jeg kan forstå opp til kjøp og salg av
-stemmer.</p>
-
-<p>(2) Jomar har også jobb som valgobservatør, og har gått igjennom
-avlukkene og notert parti og løpenummer for alle stemmesedlene i
-avlukkene. Har er i tillegg jevnlig innom og sjekker hvilke
-løpenummer som er igjen i avlukkene (lar seg ganske raskt og enkelt
-gjøre med en mobiltelefon med kamera som kan ta bilder av alle
-løpenumrene). Når en person han vil vite hva stemmer kommer innom,
-sammenligner han stemmesedler i avlukkene før og etter at vedkommende
-har vært innom, og sjekker så om løpenummeret som var på stemmeseddel
-(eller sedlene) som forsvant fra avlukket dukker opp under
-opptellingen. Det kan på den måten være mulig å finne ut hva en
-person stemte. Hvis personen tar med seg en stemmeseddel fra alle
-partiene vil det fortsatt være mulig å finne ut hvilken av disse som
-ble talt opp, slik at en ikke kan beskytte seg på det viset.</p>
-
-<p>Jeg er ikke sikker på hvor realistiske disse scenariene er i dag,
-dvs. hvilke andre prosedyrer som finnes i det norske valget for å
-hindre dette.</p>
-
-<p>Det er dog ingen tvil om at det er lurt å nummerere stemmesedler
-ved opptelling for å sikre at ingen forsvinner i prosessen med å telle
-opp stemmer, men det må gjøres når stemmeurnene åpnes og ikke før
-innbyggerne avgir sin stemme.</p>
-
-<p>Under Go Open 2009 presenterte Mitch Trachtenberg fra Humboldt
-County, California hvordan
-<a href="http://goopen2009.friprog.no/program/48-freevalg">de laget et
-system som kontrolltalte stemmene</a> der ved hjelp av en scanner med
-arkmater og fri programvare. Der ble stemmesedlene unikt nummerert
-før scanning, og det er laget en CD med bilder av alle stemmesedler
-slik at enhver kan kontrolltelle stemmene selv hvis de ønsker det.
-Kanskje en ide også for Norge? Programvaren er så vidt jeg vet fri
-programvare, og tilgjengelig fra
-<a href="http://www.tevsystems.com/">hans nettsted</a></p>
+ <title>Why the KDE menu is slow when /usr/ is NFS mounted - and a workaround</title>
+ <link>http://people.skolelinux.org/pere/blog/Why_the_KDE_menu_is_slow_when__usr__is_NFS_mounted___and_a_workaround.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Why_the_KDE_menu_is_slow_when__usr__is_NFS_mounted___and_a_workaround.html</guid>
+ <pubDate>Fri, 6 Apr 2012 22:40:00 +0200</pubDate>
+ <description><p>Recently I have spent time with
+<a href="http://www.slxdrift.no/">Skolelinux Drift AS</a> on speeding
+up a <a href="http://www.skolelinux.org/">Debian Edu / Skolelinux</a>
+Lenny installation using LTSP diskless workstations, and in the
+process I discovered something very surprising. The reason the KDE
+menu was responding slow when using it for the first time, was mostly
+due to the way KDE find application icons. I discovered that showing
+the Multimedia menu would cause more than 20 000 IP packages to be
+passed between the LTSP client and the NFS server. Most of these were
+
+NFS LOOKUP calls, resulting in a NFS3ERR_NOENT response. Because the
+ping times between the client and the server were in the range 2-20
+ms, the menus would be very slow. Looking at the strace of kicker in
+Lenny (or plasma-desktop i Squeeze - same problem there), I see that
+the source of these NFS calls are access(2) system calls for
+non-existing files. KDE can do hundreds of access(2) calls to find
+one icon file. In my example, just finding the mplayer icon required
+around 230 access(2) calls.</p>
+
+<p>The KDE code seem to search for icons using a list of icon
+directories, and the list of possible directories is large. In
+(almost) each directory, it look for files ending in .png, .svgz, .svg
+and .xpm. The result is a very slow KDE menu when /usr/ is NFS
+mounted. Showing a single sub menu may result in thousands of NFS
+requests. I am not the first one to discover this. I found a
+<a href="https://bugs.kde.org/show_bug.cgi?id=211416">KDE bug report
+from 2009</a> about this problem, and it is still unsolved.</p>
+
+<p>My solution to speed up the KDE menu was to create a package
+kde-icon-cache that upon installation will look at all .desktop files
+used to generate the KDE menu, find their icons, search the icon paths
+for the file that KDE will end up finding at run time, and copying the
+icon file to /var/lib/kde-icon-cache/. Finally, I add symlinks to
+these icon files in one of the first directories where KDE will look
+for them. This cut down the number of file accesses required to find
+one icon from several hundred to less than 5, and make the KDE menu
+almost instantaneous. I'm not quite sure where to make the package
+publicly available, so for now it is only available on request.</p>
+
+<p>The bug report mention that this do not only affect the KDE menu
+and icon handling, but also the login process. Not quite sure how to
+speed up that part without replacing NFS with for example NBD, and
+that is not really an option at the moment.</p>
+
+<p>If you got feedback on this issue, please let us know on debian-edu
+(at) lists.debian.org.</p>
</description>
</item>
<item>
- <title>Mer løgnpropaganda fra BSA</title>
- <link>http://people.skolelinux.org/pere/blog/Mer_l_gnpropaganda_fra_BSA.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Mer_l_gnpropaganda_fra_BSA.html</guid>
- <pubDate>Fri, 9 Sep 2011 11:00:00 +0200</pubDate>
- <description><p>I år igjen er Microsoft-politiet BSA ute med løgnpropagandaen sin.
-Hvert år de siste årene har BSA, lobbyfronten til de store
-programvareselskapene som Microsoft og Apple, publisert en rapport der
-de gjetter på hvor mye piratkopiering påfører i tapte inntekter i
-ulike land rundt om i verden. Resultatene er alltid tendensiøse.
-Den siste rapporten er tilgjengelig fra
-<a href="http://portal.bsa.org/globalpiracy2010/downloads/opinionsurvey/survey_global.pdf">deres
-nettsted</a>.</p>
-
-<p>Den har fått endel dekning av journalister som åpenbart ikke har
-tenkt på å stille kritiske spørsmål om resultatene. Se f.eks.
-<a href="http://www.digi.no/877642/halvparten-bruker-pirat-program">digi.no</a>,
-<a href="http://www.hardware.no/artikler/halvparten_av_alle_pc-brukere_er_pirater/101791">hardware.no</a>
-og
-<a href="http://www.aftenposten.no/forbruker/digital/article4220787.ece">aftenposten.no</a>.</p>
-
-<p>BSA-undersøkelsene er søppel som inneholder oppblåste tall, og
-har gjentatte ganger blitt tatt for dette. Her er noen interessante
-referanser med bakgrunnsinformasjon.</p>
-
-<p><ul>
-
-<li><a href="http://www.idg.no/selskaper/article190966.ece">Fnyser av
- nye pirattall fra BSA</a> Computerworld Norge 2011.</li>
-
-<li><a href="http://www.idg.se/2.1085/1.229795/bsa-hoftade-sverigesiffror">BSA
-höftade Sverigesiffror</a> Computerworld Sverige 2009.</li>
-
-<li><a href="http://www.v3.co.uk/v3-uk/opinion/1972843/bsa-piracy-figures-shot-reality">BSA
- piracy figures need a shot of reality</a> v3.co.uk 2009</li>
-
-<li><a href="http://www.michaelgeist.ca/content/view/3958/125/">Does The WIPO Copyright Treaty Work? The Business Software Association Piracy Data</a> Michael Geist blogg 2009</li>
-
-<li><a href="http://torrentfreak.com/australian-govt-draft-says-piracy-stats-made-up/">Australian
- govt draft says piracy stats are made up</a> Torrentfreak 2006.</li>
-
-<li><a href="http://www.boingboing.net/2006/05/19/is_one_months_piracy.html">Is
- one month's piracy worth more than France's GDP?</a> Boing Boing
- 2006.</li>
-
-<li><a href="http://www.idg.no/bransje/bransjenyheter/article6603.ece">Sviende
- kritikk mot pirat-tall</a> Computerworld Norge 2005.</li>
-
-</ul></p>
-
-<p>Personlig skulle jeg ønske BSA var enda mer ivrig og mer hardhendt
-i å håndheve de ikke-frie programvarelisensene (og de er ganske ivrige
-allerede), slik at brukerne av disse forsto vilkårene bedre. Jeg tror
-nemlig ingen som forstår vilkårene vil akseptere dem og at det vil
-føre til at flere tar i bruk fri programvare.</p>
+ <title>Debian Edu in the Linux Weekly News</title>
+ <link>http://people.skolelinux.org/pere/blog/Debian_Edu_in_the_Linux_Weekly_News.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Debian_Edu_in_the_Linux_Weekly_News.html</guid>
+ <pubDate>Thu, 5 Apr 2012 08:00:00 +0200</pubDate>
+ <description><p>About two weeks ago, I was interviewed via email about
+<a href="http://www.skolelinux.org/">Debian Edu and Skolelinux</a> by
+Bruce Byfield in Linux Weekly News. The result was made public for
+non-subscribers today. I am pleased to see liked our Linux solution
+for schools. Check out his article
+<a href="https://lwn.net/Articles/488805/">Debian Edu/Skolelinux: A
+distribution for education</a> if you want to learn more.</p>
</description>
</item>
<item>
- <title>Flytting er et tidssluk</title>
- <link>http://people.skolelinux.org/pere/blog/Flytting_er_et_tidssluk.html</link>
- <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Flytting_er_et_tidssluk.html</guid>
- <pubDate>Tue, 23 Aug 2011 10:30:00 +0200</pubDate>
- <description><p>I sommer kom plutselig en veldig fint hus til salgs i Nydalen, så
-vi ble brått eier av et hus og skal
-<a href="http://www.finn.no/finn/realestate/homes/object?finnkode=30237179">selge
-vår leilighet i Nydalen Allé</a> (visning 2011-08-28), pakke for
-flytting, fotografering og visning, og generelt omstrukturere alt vi
-holder på med i noen måneder. Det har pågått siden i sommer, og er
-for øyeblikket forklaringen om hvorfor jeg er så lite aktiv med
-blogging, fri programvareutvikling, NUUG-foreningsarbeide og annet.
-Jeg håper det blir bedre etter flytting i oktober.</p>
+ <title>Debian Edu interview: Wolfgang Schweer</title>
+ <link>http://people.skolelinux.org/pere/blog/Debian_Edu_interview__Wolfgang_Schweer.html</link>
+ <guid isPermaLink="true">http://people.skolelinux.org/pere/blog/Debian_Edu_interview__Wolfgang_Schweer.html</guid>
+ <pubDate>Sun, 1 Apr 2012 23:00:00 +0200</pubDate>
+ <description><p>Germany is a core area for the
+<a href="http://www.skolelinux.org/">Debian Edu and Skolelinux</a>
+user community, and this time I managed to get hold of Wolfgang
+Schweer, a valuable contributor to the project from Germany.
+
+<p><strong>Who are you, and how do you spend your days?</strong></p>
+
+<p>I've studied Mathematics at the university 'Ruhr-Universität' in
+Bochum, Germany. Since 1981 I'm working as a teacher at the school
+"<a href="http://www.westfalenkolleg-dortmund.de/">Westfalen-Kolleg
+Dortmund</a>", a second chance school. Here, young adults is given
+the opportunity to get further education in order to do the school
+examination 'Abitur', which will allow to study at a university. This
+second chance is of value for those who want a better job perspective
+or failed to get a higher school examination being teens.</p>
+
+<p>Besides teaching I was involved in developing online courses for a
+blended learning project called 'abitur-online.nrw' and in some other
+information technology related projects. For about ten years I've been
+teacher and coordinator for the 'abitur-online' project at my
+school. Being now in my early sixties, I've decided to leave school at
+the end of April this year.</p>
+
+<p><strong>How did you get in contact with the Skolelinux/Debian Edu
+project?</strong></p>
+
+<p>The first information about Skolelinux must have come to my
+attention years ago and somehow related to LTSP (Linux Terminal Server
+Project). At school, we had set up a network at the beginning of 1997
+using Suse Linux on the desktop, replacing a Novell network. Since
+2002, we used old machines from the city council of Dortmund as thin
+clients (LTSP, later Ubuntu/Lessdisks) cause new hardware was out of
+reach. At home I'm using Debian since years and - subscribed to the
+Debian news letter - heard from time to time about Skolelinux. About
+two years ago I proposed to replace the (somehow undocumented and only
+known to me) system at school by a well known Debian based system:
+Skolelinux.</p>
+
+<p>Students and teachers appreciated the new system because of a
+better look and feel and an enhanced access to local media on thin
+clients. The possibility to alter and/or reset passwords using a GUI
+was welcomed, too. Being able to do administrative tasks using a GUI
+and to easily set up workstations using PXE was of very high value for
+the admin teachers.</p>
+
+<p><strong>What do you see as the advantages of Skolelinux/Debian
+Edu?</strong></p>
+
+<p>It's open source, easy to set up, stable and flexible due to it's
+Debian base. It integrates LTSP out-of-the-box. And it is documented!
+So it was a perfect choice.</p>
+
+<p>Being open source, there are no license problems and so it's
+possible to point teachers and students to programs like
+OpenOffice.org, ViewYourMind (mind mapping) and The Gimp. It's of
+high value to be able to adapt parts of the system to special needs of
+a school and to choose where to get support for this.</p>
+
+<p><strong>What do you see as the disadvantages of Skolelinux/Debian
+Edu?</strong></p>
+
+<p>Nothing yet.</p>
+
+<p><strong>Which free software do you use daily?</strong></p>
+
+<p>At home (Debian Sid with Gnome Desktop): Iceweasel, LibreOffice,
+Mutt, Gedit, Document Viewer, Midnight Commander, flpsed (PDF
+Annotator). At school (Skolelinux Lenny): Iceweasel, Gedit,
+LibreOffice.</p>
+
+<p><strong>Which strategy do you believe is the right one to use to
+get schools to use free software?</strong></p>
+
+<p>Some time ago I thought it was enough to tell people about it. But
+that doesn't seem to work quite well. Now I concentrate on those more
+interested and hope to get multiplicators that way.</p>
</description>
</item>