Constrained random points on a circle: Difference between revisions

m
(→‎{{header|Tcl}}: + Standard ML)
 
(31 intermediate revisions by 20 users not shown)
Line 14:
=={{header|11l}}==
{{trans|Julia}}
<langsyntaxhighlight lang="11l">F print_circle(lo, hi, ndots)
V canvas = [[0B] * (2*hi+1)] * (2*hi+1)
V i = 0
Line 27:
print(canvas[i].map(j -> I j {‘♦ ’} E ‘ ’).join(‘’))
print_circle(10, 15, 100)</langsyntaxhighlight>
 
=={{header|Action!}}==
<syntaxhighlight lang="action!">PROC DrawCircle(BYTE rmin,rmax,max,x0,y0)
BYTE count,limit
INT x,y,r2,rmin2,rmax2
 
limit=rmax*2+1
rmin2=rmin*rmin
rmax2=rmax*rmax
count=0
WHILE count<max
DO
x=Rand(limit) y=Rand(limit)
x==-rmax y==-rmax
r2=x*x+y*y
IF r2>=rmin2 AND r2<=rmax2 THEN
Plot(x+x0,y+y0)
count==+1
FI
OD
RETURN
 
PROC Main()
BYTE CH=$02FC,COLOR0=$02C4
 
Graphics(5+16)
Color=1
COLOR0=$0C
 
DrawCircle(10,15,100,40,24)
 
DO UNTIL CH#$FF OD
CH=$FF
RETURN</syntaxhighlight>
{{out}}
[https://gitlab.com/amarok8bit/action-rosetta-code/-/raw/master/images/Constrained_random_points_on_a_circle.png Screenshot from Atari 8-bit computer]
 
=={{header|Ada}}==
 
<langsyntaxhighlight Adalang="ada">with Ada.Text_IO;
with Ada.Numerics.Discrete_Random;
procedure Circle is
Line 124 ⟶ 160:
Ada.Text_IO.Put_Line ("Chosen from precalculated:");
Print_Points (My_Circle_Precalculated);
end Circle;</langsyntaxhighlight>
 
Output:
Line 199 ⟶ 235:
{{works with|ALGOL 68G|Any - tested with release [http://sourceforge.net/projects/algol68/files/algol68g/algol68g-1.18.0/algol68g-1.18.0-9h.tiny.el5.centos.fc11.i386.rpm/download 1.18.0-9h.tiny]}}
{{wont work with|ELLA ALGOL 68|Any (with appropriate job cards) - tested with release [http://sourceforge.net/projects/algol68/files/algol68toc/algol68toc-1.8.8d/algol68toc-1.8-8d.fc9.i386.rpm/download 1.8-8d] - due to use of '''format'''[ted] ''transput''}}
<langsyntaxhighlight lang="algol68">PROC clrscr = VOID:
printf(($g"[2J"$,REPR 27)); # ansi.sys #
 
Line 270 ⟶ 306:
gotoxy(2*radius+1, 2*radius+1);
newline(stand in)
)</langsyntaxhighlight>
Sample output:
<pre>
Line 307 ⟶ 343:
=={{header|AutoHotkey}}==
Requires the GDI+ standard library by tic: http://www.autohotkey.com/forum/viewtopic.php?t=32238<br /> Works with individual pixels.
[[File:Ahk_fuzzycircle.png|thumb|right]]<langsyntaxhighlight AHKlang="ahk">z=100 ; x = x-coord; y = y-coord; z = count; pBitmap = a pointer to the image; f = filename
 
pToken := Gdip_Startup()
Line 324 ⟶ 360:
 
Gdip_DisposeImage(pBitmap)
Gdip_Shutdown(pToken)</langsyntaxhighlight>
 
=={{header|BASIC}}==
 
==={{header|BASIC256}}===
{{trans|PureBasic}}
<syntaxhighlight lang="freebasic">graphsize 31, 31
 
for i = 1 to 100
do
x = int(rand * 30) - 15
y = int(rand * 30) - 15
r = sqr(x*x + y*y)
until 10 <= r and r <= 15
color rgb(255, 0, 0)
plot(x+15, y+15)
next i
end</syntaxhighlight>
 
==={{header|BBC BASIC}}===
<langsyntaxhighlight lang="bbcbasic"> MODE 8
ORIGIN 640, 512
FOR i% = 1 TO 1000
Line 336 ⟶ 387:
r = SQR(x%^2 + y%^2)
IF r >= 10 IF r <= 15 PLOT x%*2, y%*2
NEXT</langsyntaxhighlight>
 
==={{header|FreeBASIC}}===
Pre calculate and plot 100 points to the console
<langsyntaxhighlight FreeBASIClang="freebasic">'Free Basic version .9
 
#define Intrange(f,l) int(Rnd*(((l)+1)-(f))+(f))
Line 400 ⟶ 451:
print "done"
Sleep
</syntaxhighlight>
</lang>
Console output:
<pre>
Line 427 ⟶ 478:
 
</pre>
 
==={{header|Yabasic}}===
{{trans|PureBasic}}
<syntaxhighlight lang="yabasic">open window 100, 100
clear window
 
for i = 1 to 100
repeat
x = ran(30)-15
y = ran(30)-15
r = sqr(x*x + y*y)
until 10 <= r and r <= 15
color 255, 0, 0
dot x+15, y+15
next i
end</syntaxhighlight>
 
=={{header|C}}==
<langsyntaxhighlight Clang="c">#include <stdio.h>
#include <stdlib.h>
 
Line 463 ⟶ 530:
 
return 0;
}</langsyntaxhighlight>Output<syntaxhighlight lang="text"> . . . .
. . .
. . . .
Line 492 ⟶ 559:
. . . .
.
. </langsyntaxhighlight>
 
=={{header|C sharp|C#}}==
 
<langsyntaxhighlight lang="csharp">using System;
using System.Diagnostics;
using System.Drawing;
Line 525 ⟶ 592:
for (int count = 0; count < 100; count++)
{
var p = points[r.Next(403404)];
g.FillEllipse(brush, new Rectangle(290 + 19 * p.X, 290 + 19 * p.Y, 10, 10));
}
Line 533 ⟶ 600:
}
}
}</langsyntaxhighlight>
 
=={{header|C++}}==
[[File:constrained_rnd_pts_on_circle.png]]
<langsyntaxhighlight lang="cpp">
#include <windows.h>
#include <list>
Line 603 ⟶ 670:
}
//--------------------------------------------------------------------------------------------------
</syntaxhighlight>
</lang>
 
=={{header|Clojure}}==
<langsyntaxhighlight Clojurelang="clojure">(ns rosettacode.circle-random-points
(:import [java.awt Color Graphics Dimension]
[javax.swing JFrame JPanel]))
Line 624 ⟶ 691:
(.setDefaultCloseOperation JFrame/DISPOSE_ON_CLOSE)
.pack
.show))</langsyntaxhighlight>
 
=={{header|COBOL}}==
<syntaxhighlight lang="cobol">
<lang COBOL>
identification division.
program-id. circle.
Line 741 ⟶ 808:
 
end program circle.
</syntaxhighlight>
</lang>
<pre>
 
Line 777 ⟶ 844:
 
=={{header|CoffeeScript}}==
<langsyntaxhighlight lang="coffeescript">
NUM_POINTS = 100
MIN_R = 10
Line 805 ⟶ 872:
plot random_circle_points()
</syntaxhighlight>
</lang>
 
The output may be a bit distorted, since even monospace fonts take more vertical space per character than horizontal space.
<syntaxhighlight lang="text">
> coffee foo.coffee
Line 839 ⟶ 906:
* * * * *
* * *
</syntaxhighlight>
</lang>
 
=={{header|Common Lisp}}==
<langsyntaxhighlight lang="lisp">(flet ((good-p (x y) (<= 100 (+ (* x x) (* y y)) 255)))
(loop with x with y with cnt = 0
with scr = (loop repeat 31 collect (loop repeat 31 collect " "))
Line 850 ⟶ 917:
(setf (elt (elt scr y) x) "@ ")
(incf cnt))
finally (mapc #'(lambda (row) (format t "~{~a~^~}~%" row)) scr)))</langsyntaxhighlight>
 
=={{header|D}}==
This uses std.complex because D built-in complex numbers will be deprecated.
<langsyntaxhighlight lang="d">import std.stdio, std.random, std.math, std.complex;
 
void main() {
Line 869 ⟶ 936:
 
writefln("%-(%s\n%)", table);
}</langsyntaxhighlight>
{{out}}
<pre>
Line 901 ⟶ 968:
* * * *
** </pre>
=={{header|Delphi}}==
{{libheader| Winapi.Windows}}
{{libheader| System.SysUtils}}
{{libheader| Vcl.Graphics}}
{{libheader| Vcl.Controls}}
{{libheader| Vcl.Forms}}
{{libheader| Vcl.ExtCtrls}}
{{Trans|C#}}
<syntaxhighlight lang="delphi">
unit Main;
 
interface
 
uses
Winapi.Windows, System.SysUtils, System.Classes, Vcl.Graphics, Vcl.Controls, Vcl.Forms, Vcl.ExtCtrls;
 
type
TForm1 = class(TForm)
procedure FormCreate(Sender: TObject);
procedure FormPaint(Sender: TObject);
end;
 
var
Form1: TForm1;
Points: TArray<TPoint>;
 
implementation
 
{$R *.dfm}
 
procedure TForm1.FormCreate(Sender: TObject);
begin
ClientHeight := 600;
ClientWidth := 600;
end;
 
procedure TForm1.FormPaint(Sender: TObject);
var
i: integer;
p: TPoint;
index: integer;
begin
SetLength(Points, 404);
i := 0;
for var y := -15 to 15 do
for var x := -15 to 15 do
begin
if i >= 404 then
Break;
var c := Sqrt(x * x + y * y);
if (10 <= c) and (c <= 15) then
begin
inc(i);
points[i] := TPoint.Create(x, y);
end;
end;
var bm := TBitmap.create;
bm.SetSize(600, 600);
with bm.Canvas do
begin
Pen.Color := clRed;
Brush.Color := clRed;
Brush.Style := bsSolid;
Randomize;
 
for var count := 0 to 99 do
begin
repeat
index := Random(404);
p := points[index];
until (not p.IsZero);
points[index] := TPoint.Zero;
 
var cx := 290 + 19 * p.X;
var cy := 290 + 19 * p.Y;
Ellipse(cx - 5, cy - 5, cx + 5, cy + 5);
end;
end;
Canvas.Draw(0, 0, bm);
bm.Free;
end;
end.</syntaxhighlight>
 
=={{header|EasyLang}}==
[https://easylang.dev/show/#cod=bY0xDsIwFEP3nOKN0Igqv6hMzWGqtohIJYhPBMntUShsbLafZb8uYV2YYmJAnDNAxqNjnENMHIUDcqpx+R8rnsddE7tMQ8ZSaCj7ysIZcQweZYwzWqX0lcDn03rka6+350LvsNSdbpN1qvv1g07rsvVb05o3 Run it]
 
<syntaxhighlight>
while cnt < 100
x = randint 31 - 16
y = randint 31 - 16
r = sqrt (x * x + y * y)
if 10 <= r and r <= 15
cnt += 1
move 50 + x * 2 50 + y * 2
circle 1
.
.
</syntaxhighlight>
 
=={{header|EchoLisp}}==
Using the '''plot''' library. For a greater visual appeal, points are plotted as circles of random radius and color. The resulting image is at [http://www.echolalie.org/echolisp/images/circle.png].
<langsyntaxhighlight lang="scheme">
(lib 'math)
(lib 'plot)
Line 921 ⟶ 1,086:
(plot-circle x y (random radius)))
(plot-edit))
</syntaxhighlight>
</lang>
 
=={{header|Elixir}}==
===Algorithm 1: Generate random pairs===
{{works with|Elixir|1.1}}
<langsyntaxhighlight lang="elixir">defmodule Random do
defp generate_point(0, _, _, set), do: set
defp generate_point(n, f, condition, set) do
Line 948 ⟶ 1,113:
end
 
Random.circle</langsyntaxhighlight>
 
'''Example output:'''
Line 986 ⟶ 1,151:
{{trans|Ruby}}
{{works with|Elixir|1.2}}
<langsyntaxhighlight lang="elixir">defmodule Constrain do
def circle do
range = -15..15
Line 999 ⟶ 1,164:
end
 
Constrain.circle</langsyntaxhighlight>
 
{{out|Example}}
Line 1,040 ⟶ 1,205:
{{works with|Euphoria|4.0.3, 4.0.0 or later}}
This program generates the set of 404 possible points in the ring. It randomly chooses 100 pairs from the set. The 100 pairs are a subset of that set because duplicates are discarded.
<langsyntaxhighlight lang="euphoria">include std/console.e
 
sequence validpoints = {}
Line 1,104 ⟶ 1,269:
printf(1, "\nNumber of discarded coordinate pairs : %d", length(discardedpoints) )
printf(1, "\nNumber of randomly picked coordinate pairs : %d\n", length(rand100points) )
any_key()</langsyntaxhighlight>
Output:
<pre>
Line 1,142 ⟶ 1,307:
Number of discarded coordinate pairs : 557
Number of randomly picked coordinate pairs : 100
Press Any Key to continue...</pre>Extra EuSDL code : <langsyntaxhighlight lang="euphoria">
for i = 1 to length(validpoints) do --simple each pixel output to screen surface
dummy=pixelColor(surface,validpoints[i][1]+18,validpoints[i][2]+18,#AA0202FF) --i is index number of each subsequence 'chunk'.
Line 1,161 ⟶ 1,326:
dummy=stringColor(surface,0,83,sprintf("Number of discarded coordinate pairs : %d", length(discardedpoints) ),#0202AAFF)
 
dummy=stringColor(surface,0,93,sprintf("Number of randomly picked coordinate pairs : %d", length(rand100points) ),#02AA02FF)</langsyntaxhighlight>SDL Output :
[[File:Fuzzy_circle_Euphoria.png]] That particular program used a -16 to +16 square area, so more was discarded.
 
Line 1,167 ⟶ 1,332:
This version uses method 1 from the task description and just calculates 100 suitable points to plot.
The INTERACTIVE bit just permits this code in a .fsx file to be run with the interactive interpreter or compiled to an exe.
<langsyntaxhighlight lang="fsharp">module CirclePoints =
let main args =
let rnd = new System.Random()
Line 1,190 ⟶ 1,355:
[<EntryPoint>]
let main args = CirclePoints.main args
#endif</langsyntaxhighlight>
An example of the output:
<pre>
Line 1,225 ⟶ 1,390:
=={{header|Factor}}==
{{works with|Factor|0.99 2020-01-23}}
<langsyntaxhighlight lang="factor">USING: io kernel math.matrices math.order math.ranges
math.statistics math.vectors random sequences strings ;
 
Line 1,231 ⟶ 1,396:
[ sum-of-squares 100 225 between? ] filter 100 sample
[ 15 v+n ] map 31 31 32 <matrix> [ matrix-set-nths ] keep
[ >string print ] each</langsyntaxhighlight>
{{out}}
<pre>
Line 1,266 ⟶ 1,431:
 
=={{header|Falcon}}==
<langsyntaxhighlight lang="falcon">
// Generate points in [min,max]^2 with constraint
function random_point (min, max, constraint)
Line 1,284 ⟶ 1,449:
>
end
</syntaxhighlight>
</lang>
Example output:
<pre>
Line 1,315 ⟶ 1,480:
x x
x x x x
</pre>
 
=={{header|Forth}}==
{{works with|gforth|0.7.3}}
<br>
<syntaxhighlight lang=forth>#! /usr/bin/gforth
\ Constrained random points on a circle
 
require random.fs
 
\ initialize the random number generator with a time-dependent seed
utime drop seed !
 
\ generates a random integer in [-15,15]
: random-coord ( -- n )
31 random 15 -
;
 
\ generates a random point on the constrained circle
: random-point ( -- x y )
0 0
BEGIN
2drop
random-coord random-coord
2dup dup * swap dup * +
dup 100 >= swap 225 <= and
UNTIL
;
 
31 31 * CONSTANT SIZE
CREATE GRID SIZE cells allot GRID SIZE cells erase
 
\ get the address of point (x,y)
: point-addr ( x y -- addr )
15 + 31 * + 15 + cells GRID +
;
 
\ generate 100 random points and mark them in the grid
: gen-points ( -- )
100 0 ?DO
true random-point point-addr !
LOOP
;
 
\ prints the grid
: print-grid ( -- )
16 -15 ?DO
16 -15 ?DO
i j point-addr @
IF
42
ELSE
32
THEN
emit
LOOP
cr
LOOP
;
 
gen-points print-grid
bye</syntaxhighlight>
 
{{out}}
<pre>
*
*****
* ** **
* * * *
* **
***
* ** *
* *
* * **
*
*
* *
* * *
*
**
* *
* * * *
*
* **
* ** * **
* * *
* * ** *
** * * * * *
*
*** * *
** **
* *
</pre>
 
=={{header|Fortran}}==
{{works with|Fortran|90 and later}}
<langsyntaxhighlight lang="fortran">program Constrained_Points
implicit none
Line 1,394 ⟶ 1,654:
end do
end program</langsyntaxhighlight>
Output
<pre>
Line 1,426 ⟶ 1,686:
* * ** *
*</pre>
 
=={{header|Frink}}==
<syntaxhighlight lang="frink">g = new graphics
 
count = 0
do
{
x = random[-15,15]
y = random[-15,15]
r = sqrt[x^2 + y^2]
if 10 <= r and r <= 15
{
count = count + 1
g.fillEllipseCenter[x,y,.3, .3]
}
} while count < 100
 
g.show[]</syntaxhighlight>
 
=={{header|gnuplot}}==
Line 1,431 ⟶ 1,709:
[[File:RingRandPntsGnu.png|right|thumb|Output RingRandPntsGnu.png]]
 
<langsyntaxhighlight lang="gnuplot">
## Ring of random points 2/18/17 aev
reset
Line 1,459 ⟶ 1,737:
set output
unset print
</syntaxhighlight>
</lang>
{{Output}}
<pre>
Line 1,467 ⟶ 1,745:
=={{header|Go}}==
'''Algorithm 1:'''
<langsyntaxhighlight lang="go">package main
 
import (
Line 1,512 ⟶ 1,790:
}
fmt.Println(u, "unique points")
}</langsyntaxhighlight>
'''Algorithm 2:'''
<langsyntaxhighlight lang="go">package main
 
import (
Line 1,561 ⟶ 1,839:
}
fmt.Println(u, "unique points")
}</langsyntaxhighlight>
{{out}}
<pre>
Line 1,601 ⟶ 1,879:
=={{header|Haskell}}==
Using [[Knuth shuffle#Haskell|Knuth Shuffle]]
<langsyntaxhighlight lang="haskell">import Data.List
import Control.Monad
import Control.Arrow
Line 1,615 ⟶ 1,893:
let canvas = foldl (\cs [x,y] -> replaceAt (31*(x+15)+y+15) "/ " cs ) blanco (take 100 pts)
-- show canvas
mapM_ (putStrLn.concat). takeWhile(not.null). unfoldr (Just . splitAt 31) $ canvas</langsyntaxhighlight>
Output (added a trailing space per 'pixel'
<pre>*Main> task
Line 1,650 ⟶ 1,928:
 
=={{header|Hy}}==
<langsyntaxhighlight lang="lisp">(import
[math [sqrt]]
[random [choice]]
[matplotlib.pyplot :as plt])
(setv possible-points (list-comp (, x y)
(lfor
[x (range -15 16) y (range -15 16)]
(<= 10 (sqrt (+ (** x 2) (**range y-15 2))16) 15)))
y (range -15 16)
(setv [xs ys] :if (apply<= zip10 (list-compsqrt (choice+ possible-points)(** [_x 2) (range** 100y 2)])) 15)
[x y]))
 
(setv [xs ys] (zip #* (map (fn [_] (choice possible-points)) (range 100))))
; We can't use random.sample because that samples without replacement.
; #* is also known as unpack-iterable
(plt.plot xs ys "bo")
(plt.show)</langsyntaxhighlight>
 
=={{header|Icon}} and {{header|Unicon}}==
Generate random points in the bounded by the outside edge. Reject any found out of the prescribed bounds and stop when the required numbers of points have been generated. [[File:Fuzzycircle-unicon.PNG|thumb|plot of 2000, 100, 120]]
<langsyntaxhighlight Iconlang="icon">link graphics
 
procedure main(A) # points, inside r, outside r in pixels - default to task values
Line 1,690 ⟶ 1,972:
WDone()
 
end</langsyntaxhighlight>
 
=={{header|J}}==
Line 1,696 ⟶ 1,978:
This version deals 100 distinct coordinates from the set of acceptable coordinates (much like dealing cards from a shuffled deck):
 
<langsyntaxhighlight lang="j">gen=: ({~ 100?#)bind((#~ 1=99 225 I.+/"1@:*:),/,"0/~i:15)</langsyntaxhighlight>
 
Example use (<code><nowiki>gen''</nowiki></code> generates the points, the rest of the example code deals with rendering them as a text array):
<langsyntaxhighlight lang="j"> '*' (<"1]15+gen '')} 31 31$' '
*
Line 1,729 ⟶ 2,011:
**
* * *
** * </langsyntaxhighlight>
 
=={{header|Java}}==
<langsyntaxhighlight lang="java">import java.util.Random;
 
public class FuzzyCircle {
Line 1,760 ⟶ 2,042:
}
}
}</langsyntaxhighlight>
Output:
<pre>
Line 1,796 ⟶ 2,078:
=={{header|JavaScript}}==
JavaScript embedded in HTML, using canvas:
<langsyntaxhighlight lang="javascript"><html><head><title>Circle</title></head>
<body>
<canvas id="cv" width="320" height="320"></canvas>
Line 1,841 ⟶ 2,123:
}
 
</script></body></html></langsyntaxhighlight>
 
=={{header|jq}}==
{{works with|jq}}
This solution uses a "generate and test" approach to find exactly 100 points within the specified annulus.
 
Since jq does not have a built-in PRNG, /dev/random is used instead. gnuplot and a bash or bash-like environment are also assumed.
 
<syntaxhighlight lang="bash">
#!/bin/bash
 
< /dev/random tr -cd '0-9' | fold -w 1 | jq -Mcnr '
 
# Output: a PRN in range(0;$n) where $n is .
def prn:
if . == 1 then 0
else . as $n
| (($n-1)|tostring|length) as $w
| [limit($w; inputs)] | join("") | tonumber
| if . < $n then . else ($n | prn) end
end;
 
def ss: map(.*.) | add;
 
# Input: [x,y]
# Emit . iff ss lies within the given bounds
def annulus($min; $max) : ss as $sum | select($min <= $sum and $sum <= $max);
 
limit(100;
repeat([((30 | prn) - 15), ((30 | prn) - 15)]
| select( annulus(100; 225)) ))
| "\(.[0]) \(.[1])"
' > rc-annulus.dat
</syntaxhighlight>
 
The plot can now be generated as a .png file using these gnuplot commands:
<syntaxhighlight lang="bash">
reset
set terminal pngcairo
set output 'rc-annulus.png'
set xrange [-20:20]
set yrange [-20:20]
plot "rc-annulus.dat" with points pt 1
</syntaxhighlight>
 
=={{header|Julia}}==
{{works with|Julia|0.6}}
This solution uses the "pick random x, y and cull" rather than the "calculate valid and choose randomly" approach.
<langsyntaxhighlight lang="julia">function printcircle(lo::Integer, hi::Integer, ndots::Integer; pad::Integer = 2)
canvas = falses(2hi + 1, 2hi + 1)
i = 0
Line 1,864 ⟶ 2,189:
end
 
printcircle(10, 15, 100)</langsyntaxhighlight>
 
{{out}}
Line 1,902 ⟶ 2,227:
 
=={{header|Kotlin}}==
<langsyntaxhighlight lang="scala">// version 1.1.3
 
fun main(args: Array<String>) {
Line 1,918 ⟶ 2,243:
}
for (i in 0..30) println(points[i].joinToString(""))
}</langsyntaxhighlight>
 
Sample output:
Line 1,952 ⟶ 2,277:
o o
</pre>
 
=={{header|Lambdatalk}}==
<syntaxhighlight lang="scheme">
{def circ
{lambda {:cx :cy :r}
{div {@ style="position:absolute;
top: {- :cy :r}px; left: {- :cx :r}px;
width: {* 2 :r}px; height: {* 2 :r}px;
border: 1px solid #000; border-radius: :rpx;"}} }}
-> circ
 
{def fuzzy_circle
{lambda {:cx :cy :rmin :rmax :n}
{circ :cx :cy :rmax}
{circ :cx :cy :rmin}
{S.map {{lambda {:cx :cy :rmin :rmax :i}
{let { {:cx :cx} {:cy :cy}
{:rmin :rmin} {:rmax :rmax}
{:x {- {round {* {random} {* 2 :rmax}}} :rmax}}
{:y {- {round {* {random} {* 2 :rmax}}} :rmax}}
} {let { {:x {+ :cx :x }}
{:y {+ :cy :y }}
{:rr {+ {* :x :x} {* :y :y}}}
{:r2min {* :rmin :rmin}}
{:r2max {* :rmax :rmax}}
} {if {or {< :rr :r2min} {> :rr :r2max}}
then else {circ :x :y 2}}
}}} :cx :cy :rmin :rmax}
{S.serie 1 :n}} }}
-> fuzzy_circle
 
{fuzzy_circle 200 700 80 120 1000}
-> plots 1000 dots between the circles r=80 and r=120 centered at [200,700]
directly in the wiki page (out of any canvas or svg contexts) as it
can be seen in http://lambdaway.free.fr/lambdawalks/?view=fuzzy_circle
 
</syntaxhighlight>
 
=={{header|Liberty BASIC}}==
<langsyntaxhighlight lang="lb">' RC Constrained Random Points on a Circle
 
nomainwin
Line 1,983 ⟶ 2,345:
[quit]
close #w
end</langsyntaxhighlight>
 
=={{header|Locomotive Basic}}==
 
<langsyntaxhighlight lang="locobasic">10 MODE 1:RANDOMIZE TIME
20 FOR J=1 TO 100
30 X=INT(RND*30-15)
Line 1,995 ⟶ 2,357:
70 PLOT 320+10*X,200+10*Y:LOCATE 1,1:PRINT J
80 NEXT
90 CALL &BB06 ' wait for key press</langsyntaxhighlight>
 
[[File:Points on a circle locomotive basic.png]]
=={{header|Lua}}==
Method 1, modified so that the 100 points must be unique..
<syntaxhighlight lang="lua">t, n = {}, 0
for y=1,31 do t[y]={} for x=1,31 do t[y][x]=" " end end
repeat
x, y = math.random(-15,15), math.random(-15,15)
rsq = x*x + y*y
if rsq>=100 and rsq<=225 and t[y+16][x+16]==" " then
t[y+16][x+16], n = "██", n+1
end
until n==100
for y=1,31 do print(table.concat(t[y])) end</syntaxhighlight>
{{out}}
<pre style="font-size:50%"> ██ ██
██ ████ ██ ██
████ ████ ██
██ ██ ████ ██ ██
██ ████ ██ ██
██ ██ ██ ██
██ ██ ██ ██ ██ ████
██ ████
██ ██
████ ██
██████
██
██ ██ ██
██ ██ ██
██ ██ ██
██
██
██ ██ ██
██
██████
██ ██ ██
████
██ ██
████ ██
████ ██████ ████ ██
██ ████ ██ ██ ██ ██ ██
████ ██ ████
██ ██
██ ████</pre>
 
=={{header|Maple}}==
<langsyntaxhighlight lang="maple"> a := table():
i := 1:
while i < 100 do
Line 2,011 ⟶ 2,415:
end if:
end do:
plots:-pointplot(convert(a,list));</langsyntaxhighlight>
 
=={{header|Mathematica}} / {{header|Wolfram Language}}==
This algorithm generates 500 pairs of random integers between +/- 15, picks out the ones that satisfy the inequality, and then takes the first 100 of those. It oversamples to reduce the chance of having less than 100 "candidates", which is not impossible, though extremely unlikely.
<langsyntaxhighlight Mathematicalang="mathematica">sample = Take[Cases[RandomInteger[{-15, 15}, {500, 2}], {x_, y_} /; 10 <= Sqrt[x^2 + y^2] <= 15], 100];
 
Show[{RegionPlot[10 <= Sqrt[x^2 + y^2] <= 15, {x, -16, 16}, {y, -16, 16}, Axes -> True], ListPlot[sample]}]</langsyntaxhighlight>
 
=={{header|MATLAB}}==
Uses the Monte-Carlo method described above.
 
<langsyntaxhighlight MATLABlang="matlab">function [xCoordinates,yCoordinates] = randomDisc(numPoints)
 
xCoordinates = [];
Line 2,052 ⟶ 2,456:
yCoordinates(numPoints+1:end) = [];
end</langsyntaxhighlight>
 
Output:
<langsyntaxhighlight MATLABlang="matlab">>> [x,y] = randomDisc(100);
>> plot(x,y,'.')</langsyntaxhighlight>
[[File:Matlab-randomDisc-output.png]]
 
=={{header|Maxima}}==
<langsyntaxhighlight Maximalang="maxima">randomDisc(numPoints):= block([p: []],
local(goodp, random_int),
goodp(x, y):=block([r: sqrt(x^2+y^2)],
Line 2,075 ⟶ 2,479:
p: randomDisc(100)$
plot2d(['discrete, p], ['style, 'points]);</langsyntaxhighlight>
 
=={{header|Nim}}==
{{trans|Python}}
<syntaxhighlight lang ="nim">import tables, math, strutils, complex, random
 
proc random[T](a: openarray[T]): T =
result = a[rand(low(a)..len(a))]
 
type Point = tuple[x, y: int]
Line 2,091 ⟶ 2,492:
for x in -15..15:
for y in -15..15:
if abs(complex(x.float, y.float)) in 10.0..15.0:
possiblePoints.add((x,y))
 
randomize()
for i in 0..100: world.inc possiblePoints.randomsample
 
for x in -15..15:
Line 2,101 ⟶ 2,502:
let key = (x, y)
if key in world and world[key] > 0:
stdout.write ' ' & $min(9, world[key])
else:
stdout.write '" ' "
echo ""</langsyntaxhighlight>
 
Output:
{{out}}
<pre> 1
<pre> 1211 1
1 1 1
1 1 3 1 1
1 1 1 1 3 11
1 2 1 11 1 1 1 1
122 21 1 2
1 1 1 1 1 1
1 1 2
1 1 1 1
1 2 1
11 1 11 1
1 1 1 1
1 1 1
11 1 1 1
1 1 11 1
21 1 1 1 1 1
1 1
1 1
1 1 2
1 1 11 2
1 11 1
1 1 1 1 111 1
1 1 1 1
1 2 2 11 1 1
1 1 1 1 1
12 2 11 1 1 1
1 1 1 1 1
11 1 1
1 1 2 1 1 2 </pre>
1 1 1 1
1 </pre>
 
=={{header|OCaml}}==
 
<langsyntaxhighlight lang="ocaml">let p x y =
let d = sqrt(x ** 2.0 +. y ** 2.0) in
10.0 <= d && d <= 15.0
Line 2,160 ⟶ 2,563:
g.(y).[x] <- 'o'
) points;
Array.iter print_endline g</langsyntaxhighlight>
 
Line 2,192 ⟶ 2,595:
 
=={{header|PARI/GP}}==
<langsyntaxhighlight lang="parigp">crpc()={
my(v=vector(404),t=0,i=0,vx=vy=vector(100));
for(x=1,14,for(y=1,14,
Line 2,215 ⟶ 2,618:
);
plothraw(vx,vy)
};</langsyntaxhighlight>
 
=={{header|Perl}}==
===Graphical output===
<langsyntaxhighlight lang="perl">my @points;
while (@points < 100) {
my ($x, $y) = (int(rand(31))-15, int(rand(31)) - 15);
Line 2,240 ⟶ 2,643:
 
print "@$_ pt\n" for @points;
print "%%EOF";</langsyntaxhighlight>
 
Randomly generates points and reject ones not in the ring. Writes an EPS file.
 
===Plain-text output===
<langsyntaxhighlight lang="perl">@range = -15..16;
 
for $x (@range) {
Line 2,257 ⟶ 2,660:
push @matrix, ' ' x @range for 1..@range;
substr $matrix[15+$$_[1]], 15+$$_[0], 1, '*' for @sample;
print join(' ', split '', $_) . "\n" for @matrix;</langsyntaxhighlight>
{{out}}
<pre> * * *
Line 2,290 ⟶ 2,693:
 
=={{header|Phix}}==
<!--<syntaxhighlight lang="phix">(phixonline)-->
<lang Phix>sequence screen = repeat(repeat(' ',31),31)
<span style="color: #008080;">with</span> <span style="color: #008080;">javascript_semantics</span>
integer x, y, count = 0
<span style="color: #004080;">sequence</span> <span style="color: #000000;">screen</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">repeat</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">repeat</span><span style="color: #0000FF;">(</span><span style="color: #008000;">' '</span><span style="color: #0000FF;">,</span><span style="color: #000000;">31</span><span style="color: #0000FF;">),</span><span style="color: #000000;">31</span><span style="color: #0000FF;">)</span>
atom r
<span style="color: #004080;">integer</span> <span style="color: #000000;">x</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">y</span><span style="color: #0000FF;">,</span> <span style="color: #000000;">count</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">0</span>
while 1 do
<span style="color: #004080;">atom</span> <span style="color: #000000;">r</span>
x = rand(31)
<span style="color: #008080;">while</span> <span style="color: #000000;">1</span> <span style="color: #008080;">do</span>
y = rand(31)
<span style="color: #000000;">x</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">rand</span><span style="color: #0000FF;">(</span><span style="color: #000000;">31</span><span style="color: #0000FF;">)</span>
r = sqrt(power(x-16,2)+power(y-16,2))
<span style="color: #000000;">y</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">rand</span><span style="color: #0000FF;">(</span><span style="color: #000000;">31</span><span style="color: #0000FF;">)</span>
if r>=10 and r<=15 then
<span style="color: #000000;">r</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">sqrt</span><span style="color: #0000FF;">(</span><span style="color: #7060A8;">power</span><span style="color: #0000FF;">(</span><span style="color: #000000;">x</span><span style="color: #0000FF;">-</span><span style="color: #000000;">16</span><span style="color: #0000FF;">,</span><span style="color: #000000;">2</span><span style="color: #0000FF;">)+</span><span style="color: #7060A8;">power</span><span style="color: #0000FF;">(</span><span style="color: #000000;">y</span><span style="color: #0000FF;">-</span><span style="color: #000000;">16</span><span style="color: #0000FF;">,</span><span style="color: #000000;">2</span><span style="color: #0000FF;">))</span>
screen[x][y] = 'x'
<span style="color: #008080;">if</span> <span style="color: #000000;">r</span><span style="color: #0000FF;">>=</span><span style="color: #000000;">10</span> <span style="color: #008080;">and</span> <span style="color: #000000;">r</span><span style="color: #0000FF;"><=</span><span style="color: #000000;">15</span> <span style="color: #008080;">then</span>
count += 1
<span style="color: #000000;">screen</span><span style="color: #0000FF;">[</span><span style="color: #000000;">x</span><span style="color: #0000FF;">][</span><span style="color: #000000;">y</span><span style="color: #0000FF;">]</span> <span style="color: #0000FF;">=</span> <span style="color: #008000;">'x'</span>
if count>=100 then exit end if
<span style="color: #000000;">count</span> <span style="color: #0000FF;">+=</span> <span style="color: #000000;">1</span>
end if
<span style="color: #008080;">if</span> <span style="color: #000000;">count</span><span style="color: #0000FF;">>=</span><span style="color: #000000;">100</span> <span style="color: #008080;">then</span> <span style="color: #008080;">exit</span> <span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
end while
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
puts(1,join(screen,"\n"))</lang>
<span style="color: #008080;">end</span> <span style="color: #008080;">while</span>
<span style="color: #7060A8;">puts</span><span style="color: #0000FF;">(</span><span style="color: #000000;">1</span><span style="color: #0000FF;">,</span><span style="color: #7060A8;">join</span><span style="color: #0000FF;">(</span><span style="color: #000000;">screen</span><span style="color: #0000FF;">,</span><span style="color: #008000;">"\n"</span><span style="color: #0000FF;">))</span>
<!--</syntaxhighlight>-->
{{out}}
<pre>
Line 2,338 ⟶ 2,744:
 
=={{header|PicoLisp}}==
<langsyntaxhighlight PicoLisplang="picolisp">(let Area (make (do 31 (link (need 31 " "))))
(use (X Y)
(do 100
Line 2,350 ⟶ 2,756:
10 ) )
(set (nth Area (+ 16 X) (+ 16 Y)) "#") ) )
(mapc prinl Area) )</langsyntaxhighlight>
Output:
<pre> #
Line 2,385 ⟶ 2,791:
=={{header|PL/I}}==
===version 1===
<syntaxhighlight lang="pl/i">
<lang PL/I>
constrain: procedure options (main);
declare 1 point (100),
Line 2,413 ⟶ 2,819:
end;
end constrain;
</syntaxhighlight>
</lang>
Output:
<pre>
Line 2,445 ⟶ 2,851:
</pre>
===version 2===
<langsyntaxhighlight PLlang="pl/Ii">*process source attributed xref or(!);
annulus: procedure options (main);
/* version 1 does not handle (0/15) etc. this does. */
Line 2,487 ⟶ 2,893:
Return(d);
End;
End annulus;</langsyntaxhighlight>
'''output'''
<pre> *
Line 2,523 ⟶ 2,929:
=={{header|PowerShell}}==
{{works with|PowerShell|3}}
<langsyntaxhighlight PowerShelllang="powershell">$MinR2 = 10 * 10
$MaxR2 = 15 * 15
Line 2,540 ⟶ 2,946:
}
ForEach ( $Y in -16..16 ) { ( -16..16 | ForEach { ( " ", "*" )[[int]$Points["$_,$Y"]] } ) -join '' }</langsyntaxhighlight>
{{out}}
<pre> ***
Line 2,574 ⟶ 2,980:
=={{header|Prolog}}==
Works with SWI-Prolog
<langsyntaxhighlight Prologlang="prolog">:- use_module(library(clpfd)).
 
circle :-
Line 2,610 ⟶ 3,016:
send(D, display, C))),
send(D, open).
</syntaxhighlight>
</lang>
[[FILE:Prolog-Circle.jpg‎ ]]
 
=={{header|PureBasic}}==
<langsyntaxhighlight PureBasiclang="purebasic">CreateImage(0,31,31)
StartDrawing(ImageOutput(0))
For i=1 To 100
Line 2,630 ⟶ 3,036:
OpenWindow(0,#PB_Ignore,#PB_Ignore,ImageWidth(0),ImageHeight(0),Title$,Flags)
ImageGadget(0,0,0,ImageWidth(0),ImageHeight(0),ImageID(0))
Repeat: Until WaitWindowEvent()=#PB_Event_CloseWindow</langsyntaxhighlight>
[[File:PureBasic_Circle_plot.png‎|155px]]
 
=={{header|Python}}==
Note that the diagram shows the number of points at any given position (up to a maximum of 9 points).
<langsyntaxhighlight lang="python">>>> from collections import defaultdict
>>> from random import choice
>>> world = defaultdict(int)
Line 2,678 ⟶ 3,084:
1 1 1
2 2 1
1 </langsyntaxhighlight>
If the number of samples is increased to 1100:
<langsyntaxhighlight lang="python">>>> for i in range(1000): world[choice(possiblepoints)] += 1
 
>>> for x in range(-15,16):
Line 2,717 ⟶ 3,123:
2131181233 424
47414232164
4 </langsyntaxhighlight>
 
=={{header|Quackery}}==
 
<syntaxhighlight lang="Quackery"> [ 0 31 of ] is grid ( --> [ )
 
[ dup * ] is squared ( n --> n )
 
[ squared swap squared +
10 squared 15 squared 1+
within ] is inrange ( n n --> b )
 
[ 32 random 16 -
32 random 16 -
2dup inrange not while
2drop again ] is randxy ( --> n n )
 
[ 15 + swap 15 +
dip [ 2dup peek ]
bit | unrot poke ] is plot ( [ n n --> [ )
 
[ witheach
[ 31 times
[ dup
i^ bit & iff
[ $ "[]" ]
else
[ $ " " ]
echo$ ]
drop
cr ] ] is draw ( [ --> )
 
[ grid
swap times
[ randxy plot ]
draw ] is circle ( n --> )
 
100 circle</syntaxhighlight>
 
{{out}}
 
<pre>
[] [] []
[] [] []
[] [][] []
[] [] [] [][]
[] [] [][][][] [] []
[]
[] []
[] [][]
[]
[][] []
[] [] [] []
[] []
[]
[] []
[][] []
[][] []
[] [][][]
[] []
[] [] [] []
[]
[] []
[] []
[][][] []
[] [] [][] [] []
[] [][][] [] [] []
[] [] []
[] [][]
[] []
</pre>
 
Code check as per task discussion, as a dialogue in the Quackery shell.
 
<pre>/O> 10000 circle
...
[]
[][][][][][][][][][][]
[][][][][][][][][][][][][][][]
[][][][][][][][][][][][][][][][][][][]
[][][][][][][][][][][][][][][][][][][][][]
[][][][][][][][][][][][][][][][][][][][][][][]
[][][][][][][][] [][][][][][][][]
[][][][][][][] [][][][][][][]
[][][][][][] [][][][][][]
[][][][][][] [][][][][][]
[][][][][][] [][][][][][]
[][][][][] [][][][][]
[][][][][] [][][][][]
[][][][][] [][][][][]
[][][][][] [][][][][]
[][][][][][] [][][][][][]
[][][][][] [][][][][]
[][][][][] [][][][][]
[][][][][] [][][][][]
[][][][][] [][][][][]
[][][][][][] [][][][][][]
[][][][][][] [][][][][][]
[][][][][][] [][][][][][]
[][][][][][][] [][][][][][][]
[][][][][][][][] [][][][][][][][]
[][][][][][][][][][][][][][][][][][][][][][][]
[][][][][][][][][][][][][][][][][][][][][]
[][][][][][][][][][][][][][][][][][][]
[][][][][][][][][][][][][][][]
[][][][][][][][][][][]
[]
 
Stack empty.
</pre>
 
=={{header|R}}==
<syntaxhighlight lang="r">
<lang R>
RMin <- 10
RMax <- 15
Line 2,739 ⟶ 3,256:
plot(X[Valid][1:NPts],Y[Valid][1:NPts], pch=19, cex=0.25, col="blue",
xlab="x",ylab="y",main="Fuzzy circle", xlim=c(-RMax,RMax), ylim=c(-RMax,RMax) )
</syntaxhighlight>
</lang>
 
Example of solution
Line 2,746 ⟶ 3,263:
 
=={{header|Racket}}==
<langsyntaxhighlight lang="racket">#lang racket
 
(require plot plot/utils)
Line 2,756 ⟶ 3,273:
#(15 15)))]
#:when (<= 10 (vmag xy) 15))
xy)))</langsyntaxhighlight>
 
=={{header|Raku}}==
(formerly Perl 6)
{{works with|rakudo|2015.09}}
<syntaxhighlight lang="raku" perl6line>my @range = -15..16;
 
my @points = gather for @range X @range -> ($x, $y) {
Line 2,772 ⟶ 3,289:
for @range X @range -> ($x, $y) { %matrix{$y}{$x} = ' ' }
%matrix{.[1]}{.[0]} = '*' for @samples;
%matrix{$_}{@range}.join(' ').say for @range;</langsyntaxhighlight>
{{out}}
<pre> *
Line 2,807 ⟶ 3,324:
This uses, among other things, a 0-based matrix rather than a hash, a <tt>given</tt> on the first line that allows us to print the final value of the matrix straight from its initial declaration, a <tt>for</tt> statement feeding a <tt>for</tt> statement modifier, a lambda that unpacks a single x-y argument into two variables, the functional form of pick rather than the method form, a quasi-list comprehension in the middle loop that filters each <tt>given</tt> with a <tt>when</tt>, precalculated squared limits so we don't have to take the square root, use of X- and X** to subtract and exponentiate both <tt>$x</tt> and <tt>$y</tt> in parallel.
 
After the <tt>given do</tt> has loaded up <tt>@matrix</tt> with our circle, the <tt>map</tt> on the first line substitutes a space for any undefined matrix element, and the extra space between elements is supplied by the stringification of the list value, performed by the prefix <tt>~</tt> operator, the unary equivalent of concatenation in Perl&nbsp;6Raku.
 
At this point you would be justified in concluding that we are completely mad. <tt>:-)</tt>
 
<syntaxhighlight lang="raku" perl6line>(say ~.map: { $_ // ' ' } for my @matrix) given do
-> [$x, $y] { @matrix[$x][$y] = '*' } for pick 100, do
for ^32 X ^32 -> ($x, $y) {
[$x,$y] when 100..225 given [+] ($x,$y X- 15) X** 2;
}
</syntaxhighlight>
</lang>
{{out}}
<pre> * * *
Line 2,851 ⟶ 3,368:
===version 1===
This REXX version uses aspect adjustment for the plot of the (sparse) annulus.
<langsyntaxhighlight lang="rexx">/*REXX program generates 100 random points in an annulus: 10 ≤ √(x²≤y²) ≤ 15 */
parse arg pts LO HI . /*obtain optional args from the C.L. */
if pts=='' then pts= 100 /*Not specified? Then use the default.*/
Line 2,870 ⟶ 3,387:
end /*pts*/ /* [↑] maintain aspect ratio on X axis*/
/*stick a fork in it, we're all done. */
do y=-HI to HI; say @.y; end /*display the annulus to the terminal. */</langsyntaxhighlight>
{{out|output|text=&nbsp; when using the default inputs:}}
<pre>
Line 2,908 ⟶ 3,425:
===version 2===
{{trans|REXX version 1}}
<langsyntaxhighlight lang="rexx">/* REXX ---------------------------------------------------------------
* show 100 random points of an annulus with radius 10 to 15
* 18.06.2014 Walter Pachl 'derived/simplified' from REXX version 1
Line 2,947 ⟶ 3,464:
Do y=-high To high
Say line.y
End</langsyntaxhighlight>
'''output''' using default parameters
<pre>
Line 2,993 ⟶ 3,510:
 
===version 3===
<langsyntaxhighlight lang="rexx">/* REXX ---------------------------------------------------------------
* 19.06.2014 Walter Pachl alternate algorithm
* the idea: yl is a list of y coordinates which may have unused points
Line 3,070 ⟶ 3,587:
p.0=z
End
Return</langsyntaxhighlight>
'''output''' using rexx fcaa 100 3 5 2
<pre>all points filled
Line 3,087 ⟶ 3,604:
 
=={{header|Ring}}==
<langsyntaxhighlight lang="ring">
load "guilib.ring"
 
Line 3,132 ⟶ 3,649:
}
label1 { setpicture(p1) show() }
</syntaxhighlight>
</lang>
 
Output:
 
[[File:CalmoSoftDrawCircle.jpg]]
 
=={{header|RPL}}==
{{works with|HP|48G}}
« ERASE -15 15 DUP2 XRNG YRNG <span style="color:grey">@ set graphics boundaries</span>
DEG -19 SF 0 <span style="color:grey">@ set degrees mode, polar vector mode, count = 0</span>
'''DO''' RAND 5 * 10 + RAND 360 * →V2 <span style="color:grey">@ z = rand(10..15).exp(i.rand(360))</span>
C→R IP SWAP IP R→C <span style="color:grey">@ make z a complex with integer coordinates</span>
'''IF''' DUP ABS DUP 10 ≥ SWAP 15 ≤ AND <span style="color:grey">@ if 10 ≤ | z | ≤ 15</span>
'''THEN''' PIXON 1 + <span style="color:grey">@ then set pixel and increment count</span>
'''ELSE''' DROP '''END'''
'''UNTIL''' DUP 100 ≥ '''END'''
DROP { } PVIEW
-19 CF
» '<span style="color:blue">TASK</span>' STO
[[File:Constrained.png|alt=Screenshot of a HP-48G emulator, displaying constrained random points on a circle|HP-48G emulator screenshot]]
 
The circle is actually an ellipse because RPL display screens are not squared.
 
=={{header|Ruby}}==
Create the image with [[Raster graphics operations/Ruby]]
<langsyntaxhighlight Rubylang="ruby">points = (1..100).map do
# choose a random radius and angle
angle = rand * 2.0 * Math::PI
Line 3,160 ⟶ 3,694:
pngfile = __FILE__
pngfile[/\.rb/] = ".png"
pixmap.save_as_png(pngfile)</langsyntaxhighlight>
 
{{out}}
Line 3,195 ⟶ 3,729:
 
===algorithm 2:===
<langsyntaxhighlight lang="ruby">r2 = 10*10..15*15
range = (-15..15).to_a
points = range.product(range).select {|i,j| r2.cover?(i*i + j*j)}
Line 3,202 ⟶ 3,736:
pt = Hash.new(" ")
points.sample(100).each{|ij| pt[ij] = " o"}
puts range.map{|i| range.map{|j| pt[[i,j]]}.join}</langsyntaxhighlight>
 
{{out}}
Line 3,241 ⟶ 3,775:
 
=={{header|Run BASIC}}==
<langsyntaxhighlight lang="runbasic">w = 320
h = 320
dim canvas(w,h)
Line 3,265 ⟶ 3,799:
next x
render #g
#g "flush"</langsyntaxhighlight>
 
=={{header|Rust}}==
<syntaxhighlight lang="rust">extern crate rand;
<lang Rust>#![feature(inclusive_range_syntax)]
 
extern crate rand;
 
use rand::Rng;
Line 3,340 ⟶ 3,872:
 
precalculating_method(&mut rng);
}</langsyntaxhighlight>
 
=={{header|Scala}}==
{{libheader|Scala}}<langsyntaxhighlight Scalalang="scala">import java.awt.{ Color, geom,Graphics2D ,Rectangle}
import scala.math.hypot
import scala.swing.{MainFrame,Panel,SimpleSwingApplication}
Line 3,422 ⟶ 3,954:
contents = ui
}
}</langsyntaxhighlight>
 
=={{header|Sidef}}==
{{trans|Perl}}
Generates an EPS file.
<langsyntaxhighlight lang="ruby">var points = [];
while (points.len < 100) {
var (x, y) = 2.of{31 30.rand.intirand - 15 }...;
var r2 = (x**2 + y**2);
if ((r2 >= 100) && (r2 <= 225)) {
points.append([x, y]);
}
}
 
print <<'HEAD';
%!PS-Adobe-3.0 EPSF-3.0
%%BoundingBox 0 0 400 400
Line 3,448 ⟶ 3,980:
HEAD
 
points.each { |pt| say "#{pt.join(' ')} pt" };
print '%%EOF';</langsyntaxhighlight>
 
=={{header|Standard ML}}==
Works with PolyML. Plotting function from 'Draw a pixel' task. Uniform random generator: copy from [[Random_numbers#Standard_ML]]. x,y plotted scaled x 10 px
<syntaxhighlight lang="standard ml">open XWindows ;
open Motif ;
 
val plotWindow = fn coords => (* input list of int*int within 'dim' *)
let
val dim = {tw=325,th=325} ;
val shell = XtAppInitialise "" "demo" "top" [] [ XmNwidth (#tw dim), XmNheight (#th dim) ] ; (* single call only *)
val main = XmCreateMainWindow shell "main" [ XmNmappedWhenManaged true ] ;
val canvas = XmCreateDrawingArea main "drawarea" [ XmNwidth (#tw dim), XmNheight (#th dim) ] ;
val usegc = DefaultGC (XtDisplay canvas) ;
val put = fn (w,s,t)=> (
XSetForeground usegc 0xfffffff ;
XFillRectangle (XtWindow canvas) usegc (Area{x=0,y=0,w = #tw dim, h= #th dim}) ;
XSetForeground usegc 0 ;
XDrawPoints (XtWindow canvas) usegc ( List.map (fn (x,y)=>XPoint {x=x,y=y}) coords ) CoordModeOrigin ;
t )
in
(
XtSetCallbacks canvas [ (XmNexposeCallback , put) ] XmNarmCallback ;
XtManageChild canvas ;
XtManageChild main ;
XtRealizeWidget shell
)
end;
 
val urandomlist = fn seed => fn n =>
(* put code from (www.rosettacode.org) wiki/Random_numbers#Standard_ML 'urandomlist' here
input : seed and number of drawings *)
end;
 
val normalizedPts = fn () => (* select ([0,1]*[0,1]) points in normalized bandwidth *)
let
val realseeds = ( 972.1 , 10009.3 ) ;
val usum = fn (u,v) => u*(u-1.0) + v*(v-1.0) ;
val lim = ( ~350.0/900.0, ~225.0/900.0 ) ; (* limits to usum *)
val select = fn i => usum i <= #2 lim andalso usum i >= #1 lim ; (* select according to inequalities *)
val uv = ListPair.zip ( urandomlist (#1 realseeds) 2500 , urandomlist (#2 realseeds) 2500 ) (* take 2500 couples *)
in
List.take ( List.filter select uv , 1000 )
end ;</syntaxhighlight>
call
> val scaledXY = map (fn (x,y)=>
( Real.toInt IEEEReal.TO_NEAREST (10.0+300.0*x), Real.toInt IEEEReal.TO_NEAREST (10.0+300.0*y) )) (normalizedPts ()) ;
> plotWindow scaledXY ;
 
=={{header|Swift}}==
Line 3,455 ⟶ 4,036:
{{trans|Rust}}
 
<langsyntaxhighlight lang="swift">let nPoints = 100
 
func generatePoint() -> (Int, Int) {
Line 3,513 ⟶ 4,094:
 
print("Precalculating method:")
precalculatingMethod()</langsyntaxhighlight>
 
{{out}}
Line 3,584 ⟶ 4,165:
 
=={{header|SystemVerilog}}==
<langsyntaxhighlight SystemVeriloglang="systemverilog">program main;
 
bit [39:0] bitmap [40];
Line 3,609 ⟶ 4,190:
end
 
endprogram</langsyntaxhighlight>
 
Piping the output through sed to improve the contrast of the output:
Line 3,649 ⟶ 4,230:
 
</pre>
 
=={{header|Standard ML}}==
Works with PolyML. Plotting function from 'Draw a pixel' task. Uniform random generator: copy from Random_numbers#Standard_ML. x,y plotted scaled x 10 px
<lang Standard ML>open XWindows ;
open Motif ;
 
val plotWindow = fn coords => (* input list of int*int within 'dim' *)
let
val dim = {tw=325,th=325} ;
val shell = XtAppInitialise "" "demo" "top" [] [ XmNwidth (#tw dim), XmNheight (#th dim) ] ; (* single call only *)
val main = XmCreateMainWindow shell "main" [ XmNmappedWhenManaged true ] ;
val canvas = XmCreateDrawingArea main "drawarea" [ XmNwidth (#tw dim), XmNheight (#th dim) ] ;
val usegc = DefaultGC (XtDisplay canvas) ;
val put = fn (w,s,t)=> (
XSetForeground usegc 0xfffffff ;
XFillRectangle (XtWindow canvas) usegc (Area{x=0,y=0,w = #tw dim, h= #th dim}) ;
XSetForeground usegc 0 ;
XDrawPoints (XtWindow canvas) usegc ( List.map (fn (x,y)=>XPoint {x=x,y=y}) coords ) CoordModeOrigin ;
t )
in
(
XtSetCallbacks canvas [ (XmNexposeCallback , put) ] XmNarmCallback ;
XtManageChild canvas ;
XtManageChild main ;
XtRealizeWidget shell
)
end;
 
val urandomlist = fn seed => fn n =>
(* put code from (www.rosettacode.org) wiki/Random_numbers#Standard_ML 'urandomlist' here
input : seed and number of drawings *)
end;
 
val normalizedPts = fn () => (* select ([0,1]*[0,1]) points in normalized bandwidth *)
let
val realseeds = ( 972.1 , 10009.3 ) ;
val usum = fn (u,v) => u*(u-1.0) + v*(v-1.0) ;
val lim = ( ~350.0/900.0, ~225.0/900.0 ) ; (* limits to usum *)
val select = fn i as (x,y) => usum i <= #2 lim andalso usum i >= #1 lim ; (* select according to inequalities *)
val uv = ListPair.zip ( urandomlist (#1 realseeds) 2500 , urandomlist (#2 realseeds) 2500 ) (* draw 2500 couples *)
in
List.take ( List.filter select uv , 1000 )
end ;</lang>
call
> val scaledXY = map (fn (x,y)=>
( Real.toInt IEEEReal.TO_NEAREST (10.0+300.0*x), Real.toInt IEEEReal.TO_NEAREST (10.0+300.0*y) )) (normalizedPts ()) ;
> plotWindow scaledXY ;
 
 
=={{header|Tcl}}==
<langsyntaxhighlight lang="tcl">package require Tcl 8.5
 
# Generate random point at specified distance from the centre
Line 3,734 ⟶ 4,265:
}
puts ""
}</langsyntaxhighlight>
Example output:
<pre>
Line 3,769 ⟶ 4,300:
1
</pre>
 
=={{header|Wren}}==
{{libheader|DOME}}
<syntaxhighlight lang="wren">import "graphics" for Canvas, Color
import "dome" for Window
import "random" for Random
 
class Game {
static init() {
Window.title = "Constrained random points on a circle"
var width = 800
var height = 800
Window.resize(width, height)
Canvas.resize(width, height)
var rand = Random.new()
var count = 0
var max = 100 // set to 1000 to produce a much more pronounced annulus
while (true) {
var x = rand.int(-15, 16)
var y = rand.int(-15, 16)
var dist = (x*x + y*y).sqrt
if (10 <= dist && dist <= 15) {
// translate coordinates to fit in the window
Canvas.circlefill((x + 16) * 25, (y + 16) * 25, 2, Color.white)
count = count + 1
if (count == max) break
}
}
}
 
static update() {}
 
static draw(alpha) {}
}</syntaxhighlight>
 
=={{header|XPL0}}==
[[File:DonutXPL0.gif|right]]
<langsyntaxhighlight XPL0lang="xpl0">include c:\cxpl\codes; \intrinsic 'code' declarations
int X, Y, C, R2;
[SetVid($13); \set 320x200x8 graphics mode
Line 3,784 ⟶ 4,349:
C:= ChIn(1); \wait for keystroke
SetVid(3); \restore normal text mode
]</langsyntaxhighlight>
 
=={{header|zkl}}==
<langsyntaxhighlight lang="zkl">xy:=(0).walker(*).tweak(fcn{ // generate infinite random pairs (lazy)
x:=(-15).random(16); y:=(-15).random(16);
if(not (100<=(x*x + y*y)<=225)) Void.Skip else T(x,y)
Line 3,796 ⟶ 4,361:
 
xy.walk(100).apply2(fcn([(x,y)],array){array[x+15 + N*(y+15)]="*"},array);
foreach n in ([0..30]){ array[n*N,30].concat().println(); }</langsyntaxhighlight>
{{out}}
<pre>
Line 3,833 ⟶ 4,398:
=={{header|ZX Spectrum Basic}}==
{{trans|BBC_BASIC}}
<langsyntaxhighlight lang="zxbasic">10 FOR i=1 TO 1000
20 LET x=RND*31-16
30 LET y=RND*31-16
40 LET r=SQR (x*x+y*y)
50 IF (r>=10) AND (r<=15) THEN PLOT 127+x*2,88+y*2
60 NEXT i</langsyntaxhighlight>
1,980

edits