Gerador aleatório gráfico

10

Existe um gerador aleatório para linux com uma boa interface gráfica, que pode gerar um número inteiro aleatório entre dois números inteiros e exibi-lo com um tamanho de fonte grande?

aluna
fonte
O que você vai fazer? Matemática Mental?
precisa saber é o seguinte

Respostas:

36

Eu não conheço nenhum software. O Google também não inventou nada. Acho que isso é um problema muito simples. Deve haver cerca de 30 linhas de código se você o escreveu em uma linguagem de script. Você também pode criar uma planilha do LibreOffice para fazer isso. Não deve ser terrivelmente difícil.

Editar 1:

gerador de números pseudo-aleatórios - script gui perl

Abaixo está um script perl rápido e sujo que eu codifiquei. Você deve poder modificá-lo você mesmo. Quando você o executa perl nameOfTheScript.plou o torna executável chmod u+x nameOfTheScript.ple, em seguida, clique duas vezes nele, será semelhante à figura acima.

#!/usr/bin/perl
# © 2011 [email protected]. Use permitted under MIT license: http://www.opensource.org/licenses/mit-license.php
use Gtk2 '-init'; # relies on the gnome toolkit bindings for perl

$size = 1e5;   # fontsize in 0.001 pt (only god knows why)

sub randomizeLabel {   #### this does the actual randomisation
    $min = int($entry1->get_text);
    $max = int($entry2->get_text);
    $rand = int(rand($max-$min+1)) + $min;
    $diplabel->set_markup( "<span size=\"$size\">$rand</span>" );
}
#### the rest is gui stuff:
$window = Gtk2::Window->new('toplevel');
$window->set_title('Random Integer Generator');
$window->signal_connect(destroy => sub { Gtk2->main_quit; });
$window->signal_connect(delete_event => sub { Gtk2->main_quit; });
$window->set_border_width(10);
$vbox = Gtk2::VBox->new(0, 5);   $window->add($vbox); $vbox->show;

$diplabel = Gtk2::Label->new;
$diplabel->set_markup("<span size=\"$size\">0</span>");
$vbox->add($diplabel);          $diplabel->show;

$entry1 = Gtk2::Entry->new;     $vbox->add($entry1);    $entry1->show;
$entry2 = Gtk2::Entry->new;     $vbox->add($entry2);    $entry2->show;

$button = Gtk2::Button->new("Generate!");
$button->signal_connect(clicked => \&randomizeLabel, $window);
$vbox->add($button);            $button->show;

$window->show;    Gtk2->main;
exit 0;

Edit2

O ObsessiveFOSS me pediu para incluir outro gerador para números aleatórios (pois esse script usa o build-in do Perl). Você pode ver um esboço de como fazer isso na minha outra resposta .

con-f-use
fonte
9
+1 - o fato de você ter se importado o suficiente para escrever um script para fazer isso é incrível.
JRG
4
É bom ver que você gastou tempo fornecendo um script para isso. Ótimo!
Samanaa 30/05
Estou feliz por ter gostado.
con-f-use
@ con-f-use seria bom se você pudesse liberá-lo na licença gpl.
Lincity
@Alaukik A licença do MIT ficaria bem com você também. É mais permissivo e compatível com GPL?
con-f-use
4

ObsessiveFOSS pediu para implementar o Blum, et al. gerador de números pseudo-aleatórios criptograficamente seguros. Aqui está o meu esboço sobre como fazê-lo. O outro código permanece o mesmo da minha resposta anterior . Basta substituir a randomizeLabelsub - rotina e inserir este código :

use bigint;

# Kinda large primes
$p = 338047573;   # Any pair of large primes will suffice here...
$q = 4182249941;  #+...as long as they fullfill the congruence check below
$rand = 7;    # Seed for the random number generator (x_0 in the wiki)

sub errMsg {
    $dialog = Gtk2::MessageDialog->new($window, 'destroy-with-parent', 'error', 'ok', $_[0]);
    $dialog->signal_connect (response => sub { exit 1; });
    $dialog->run;
}

# Check congruence 3 mod 4 (for quadratic residue)
if( ($p-3)%4 == 0 ) { errMsg('Error: Variable p is ill choosen.'); }
if( ($q-3)%4 == 0 ) { errMsg('Error: Variable q is ill choosen.'); }
# Note: For large cycle lengths gcd(φ(p-1), φ(q-1)) should also be small,...
#+...where φ is Euler's totient function but this is not checked here

# Compute Modulus in Blum Blum Shub
$M = $p*$q;

sub randomizeLabel { # This does the actual randomization
    $min = int($entry1->get_text); $max = int($entry2->get_text); # Boundaries for the desired random range from the input filed of the GUI (included for convenience when modifying the script - not used here)

    # Blum Blum Shub pseudo random number generator
    $rand = ($rand*$rand) % $M;

    # Here you have to extract the bits and shift them in range
    $randout = $rand & (2**6-1); # Change this line. It's an example and extracts the five least significant bits! To extract the ten LSBs use '(2**11-1)' and so on...
    # $randout = ...$min...$max...; # shift it in the right range (not done here)

    $diplabel->set_markup( "<span size=\"$size\">$randout</span>" );
}

Como mencionado, está incompleto. Seria necessário usar operadores bit a bit para extrair números aleatórios úteis, alterá-los e escalá-los para ajustá-los entre $mine $max. No momento, a entrada para mínimo e máximo não é utilizada.

con-f-use
fonte
Eu suspeito que existe um módulo Perl para CSPRNG que faz um trabalho melhor que o meu script.
con-f-use
1

Isso pode ser feito com muita facilidade com a QML hoje:

import QtQuick 2.0
import Ubuntu.Components 0.1

Rectangle {
    id: mainView
    width: units.gu(30) 
    height: units.gu(40)
    Column {
        id: generator
        spacing: units.gu(1)
        anchors.horizontalCenter: mainView.horizontalCenter
        Text {
            id: ramdom_number
            text: "0"
            font.pointSize: 100
            anchors.horizontalCenter: generator.horizontalCenter
        }
        TextField {
            id:min
            text: "0"
        }
        TextField {
            id: max
            text: "100"
        }
        Button {
            text: "Generate!"
            width: generator.width
            onClicked: ramdom_number.text = Math.floor((Math.random()*(max.text-min.text+1))+min.text);
        }
    }
}

Execute este código com qmlscene:

insira a descrição da imagem aqui

Sylvain Pineau
fonte