task_url
stringlengths
30
116
task_name
stringlengths
2
86
task_description
stringlengths
0
14.4k
language_url
stringlengths
2
53
language_name
stringlengths
1
52
code
stringlengths
0
61.9k
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#PicoLisp
PicoLisp
(in '(curl "-E" "myCert.pem" "https://www.example.com") (while (line) (doSomeProcessingWithLine @) ) )
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Python
Python
import httplib   connection = httplib.HTTPSConnection('www.example.com',cert_file='myCert.PEM') connection.request('GET','/index.html') response = connection.getresponse() data = response.read()  
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Racket
Racket
  #lang racket (require openssl/mzssl) (define ctx (ssl-make-client-context)) (ssl-set-verify! ctx #t) ; verify the connection (ssl-load-verify-root-certificates! ctx "my-cert.pem") (define-values [I O] (ssl-connect "www.example.com" 443 ctx))  
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Raku
Raku
  # cert creation commands   # openssl req -newkey rsa:4096 -keyout my_key.pem -out my_csr.pem -nodes -subj "/CN=ME"   # openssl x509 -req -in my_csr.pem -signkey my_key.pem -out my_cert.pem   use v6; use OpenSSL;   my $host = "github.com";   my $ssl = OpenSSL.new(:client);   $ssl.use-certificate-file("./my_cert.pem");...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Delphi
Delphi
program ShowHTTPSAuthenticated;   {$APPTYPE CONSOLE}   uses IdHttp, IdSSLOpenSSL;   var s: string; lHTTP: TIdHTTP; lIOHandler: TIdSSLIOHandlerSocketOpenSSL; begin ReportMemoryLeaksOnShutdown := True; lHTTP := TIdHTTP.Create(nil); lIOHandler := TIdSSLIOHandlerSocketOpenSSL.Create(nil); try lHTTP.Reques...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Go
Go
package main   import ( "encoding/base64" "io" "log" "net/http" "strings" )   const userPass = "rosetta:code" const unauth = http.StatusUnauthorized   func hw(w http.ResponseWriter, req *http.Request) { auth := req.Header.Get("Authorization") if !strings.HasPrefix(auth, "Basic ") { l...
http://rosettacode.org/wiki/IBAN
IBAN
This page uses content from Wikipedia. The original article was at IBAN. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) The   International Bank Account Number (IBAN)   is an internationally agree...
#PowerShell
PowerShell
  function verifIBAN ([string]$ibanS) { if ($ibanS.Length -ne 27) {return $false} else { $ibanI="$($ibanS.Substring(4,23))$($ibanS.Substring(0,4))".ToUpper() [int]$comptIBAN=0 $NumIBAN="" while ($comptIBAN -lt 27) { if ([byte]$ibanI[$comptIBAN] -ge 65 -and [byte]$ibanI[$comptIBAN] -le 90) { ...
http://rosettacode.org/wiki/Identity_matrix
Identity matrix
Task Build an   identity matrix   of a size known at run-time. An identity matrix is a square matrix of size n × n, where the diagonal elements are all 1s (ones), and all the other elements are all 0s (zeroes). I n = [ 1 0 0 ⋯ 0 0 1 0 ⋯ 0 0 0 1 ⋯ 0 ⋮ ⋮ ⋮ ⋱ ...
#JavaScript
JavaScript
function idMatrix(n) { return Array.apply(null, new Array(n)) .map(function (x, i, xs) { return xs.map(function (_, k) { return i === k ? 1 : 0; }) }); }
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#TUSCRIPT
TUSCRIPT
$$ MODE TUSCRIPT LOOP n=0,999999999 n=n+1 ENDLOOP
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#UNIX_Shell
UNIX Shell
#!/bin/sh num=0 while true; do echo $num num=`expr $num + 1` done
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Ursa
Ursa
# # integer sequence #   # declare an int and loop until it overflows decl int i set i 1 while true out i endl console inc i end while
http://rosettacode.org/wiki/I_before_E_except_after_C
I before E except after C
The phrase     "I before E, except after C"     is a widely known mnemonic which is supposed to help when spelling English words. Task Using the word list from   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, check if the two sub-clauses of the phrase are plausible individually:   "I before E when not pre...
#Raku
Raku
grammar CollectWords { token TOP { [^^ <word> $$ \n?]+ }   token word { [ <with_c> | <no_c> | \N ]+ }   token with_c { c <ie_part> }   token no_c { <ie_part> }   token ie_part { ie | ei | eie # a couple words in the list have "eie" } }   cl...
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Modula-3
Modula-3
MODULE StringInt EXPORTS Main;   IMPORT IO, Fmt, Scan;   VAR string: TEXT := "1234"; num: INTEGER := 0;   BEGIN num := Scan.Int(string); IO.Put(string & " + 1 = " & Fmt.Int(num + 1) & "\n"); END StringInt.
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#MUMPS
MUMPS
  SET STR="123" WRITE STR+1  
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Lasso
Lasso
local( number1 = integer(web_request -> param('number1')), number2 = integer(web_request -> param('number2')) )   #number1 < #number2 ? 'Number 1 is less than Number 2' | 'Number 1 is not less than Number 2' '<br />' #number1 == #number2 ? 'Number 1 is the same as Number 2' | 'Number 1 is not the same as Number 2' '<...
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Liberty_BASIC
Liberty BASIC
input "Enter an integer for a. ";a input "Enter an integer for b. ";b   'a=int(a):b=int(b) ??? print "Conditional evaluation." if a<b then print "a<b " ; a ; " < " ; b if a=b then print "a=b " ; a ; " = " ; b if a>b then print "a>b " ; a ; " > " ; b   print "Select case evaluation." select case case (a<b) ...
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Ruby
Ruby
require 'uri' require 'net/http'   uri = URI.parse('https://www.example.com') pem = File.read("/path/to/my.pem") cert = OpenSSL::X509::Certificate.new(pem) key = OpenSSL::PKey::RSA.new(pem) response = Net::HTTP.start(uri.host, uri.port, use_ssl: true, cert: cert, key: key) do |http| request...
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Rust
Rust
reqwest = {version = "0.11", features = ["native-tls", "blocking"]}
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Scala
Scala
import java.io.FileInputStream import java.net.URL import java.security.KeyStore   import javax.net.ssl.{HttpsURLConnection, KeyManagerFactory, SSLContext}   import scala.io.BufferedSource   object ClientAuthenticated extends App {   val con: HttpsURLConnection = new URL("https://somehost.com").openConnection().a...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Haskell
Haskell
{-# LANGUAGE OverloadedStrings #-}   module Main (main) where   import Data.Aeson (Value) import Data.Default.Class (def) import Network.HTTP.Req ( (/:) , GET(..) , NoReqBody(..) , basicAuth ...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Julia
Julia
  using HTTP, HTTP.IOExtras, JSON, MusicProcessing HTTP.open("POST", "http://music.com/play") do io write(io, JSON.json([ "auth" => "12345XXXX", "song_id" => 7, ])) r = startread(io) @show r.status while !eof(io) bytes = readavailable(io) play(bytes) end end  
http://rosettacode.org/wiki/IBAN
IBAN
This page uses content from Wikipedia. The original article was at IBAN. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) The   International Bank Account Number (IBAN)   is an internationally agree...
#PureBasic
PureBasic
EnableExplicit Enumeration IBAN #IBAN_VAL #IBAN_SUM #IBAN_NOSPACE #IBAN_VAL_FORM #IBAN_SUM_FORM EndEnumeration   NewMap CData.i() Macro CCD(SIGN,LENGTH) CData(SIGN)=LENGTH EndMacro   Procedure.s IBANForm(iban.s,form.i) Define fn.s, c.i fn=RemoveString(UCase(iban),Chr(32)) If form=#IBAN_NOSPACE ...
http://rosettacode.org/wiki/Identity_matrix
Identity matrix
Task Build an   identity matrix   of a size known at run-time. An identity matrix is a square matrix of size n × n, where the diagonal elements are all 1s (ones), and all the other elements are all 0s (zeroes). I n = [ 1 0 0 ⋯ 0 0 1 0 ⋯ 0 0 0 1 ⋯ 0 ⋮ ⋮ ⋮ ⋱ ...
#jq
jq
def identity(n): [range(0;n) | 0] as $row | reduce range(0;n) as $i ([]; . + [ $row | .[$i] = 1 ] );
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Vala
Vala
  uint i = 0; while (++i < uint.MAX) stdout.printf("%u\n", i);  
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Verilog
Verilog
module main; integer i;   initial begin i = 1;   while(i > 0) begin $display(i); i = i + 1; end $finish ; end endmodule
http://rosettacode.org/wiki/I_before_E_except_after_C
I before E except after C
The phrase     "I before E, except after C"     is a widely known mnemonic which is supposed to help when spelling English words. Task Using the word list from   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, check if the two sub-clauses of the phrase are plausible individually:   "I before E when not pre...
#Red
Red
Red ["i before e except after c"]   testlist: function [wordlist /wfreq] [ cie: cei: ie: ei: 0 if not wfreq [forall wordlist [insert wordlist: next wordlist 1]] foreach [word freq] wordlist [ parse word [ some [ "cie" (cie: cie + freq) | "cei" (cei: cei + freq) | "ie" (ie: ie + freq) | "ei" (ei: ei +...
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Nanoquery
Nanoquery
num = "123" num = str(int(num) + 1)
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Neko
Neko
var str = "123"; var str = $string($int(str) + 1);   $print(str);
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#LIL
LIL
print "Enter two numbers separated by space" set rc [readline] set a [index $rc 0] set b [index $rc 1]   if {$a < $b} {print "$a is less than $b"} if {$a == $b} {print "$a is equal to $b"} if {$a > $b} {print "$a is greater than $b"}
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Tcl
Tcl
package require http package require tls   set cert myCert.p12 http::register https 443 [list \  ::tls::socket -certfile $cert -password getPass] proc getPass {} { return "myPassword"; # Just a noddy example... }   # Make a secure authenticated connection set token [http::geturl https://verysecure.example.com/...
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#Wren
Wren
/* https_client-authenticated.wren */   var CURLOPT_URL = 10002 var CURLOPT_SSLCERT = 10025 var CURLOPT_SSLKEY = 10087 var CURLOPT_KEYPASSWD = 10258   foreign class Curl { construct easyInit() {}   foreign easySetOpt(opt, param)   foreign easyPerform()   foreign easyCleanup() }   var curl = C...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Kotlin
Kotlin
// version 1.2.0   import java.net.Authenticator import java.net.PasswordAuthentication import javax.net.ssl.HttpsURLConnection import java.net.URL import java.io.InputStreamReader import java.io.BufferedReader   object PasswordAuthenticator : Authenticator() { override fun getPasswordAuthentication() = Pas...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Lasso
Lasso
local(username = 'hello',password = 'world') local(x = curl('https://sourceforge.net')) #x->set(CURLOPT_USERPWD, #username + ':' + #password) local(y = #x->result) #y->asString
http://rosettacode.org/wiki/IBAN
IBAN
This page uses content from Wikipedia. The original article was at IBAN. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) The   International Bank Account Number (IBAN)   is an internationally agree...
#Python
Python
import re   _country2length = dict( AL=28, AD=24, AT=20, AZ=28, BE=16, BH=22, BA=20, BR=29, BG=22, CR=21, HR=21, CY=28, CZ=24, DK=18, DO=28, EE=20, FO=18, FI=18, FR=27, GE=22, DE=22, GI=23, GR=27, GL=18, GT=28, HU=28, IS=26, IE=22, IL=23, IT=27, KZ=20, KW=30, LV=21, LB=28, LI=21, LT=20, LU=20, MK=19...
http://rosettacode.org/wiki/Identity_matrix
Identity matrix
Task Build an   identity matrix   of a size known at run-time. An identity matrix is a square matrix of size n × n, where the diagonal elements are all 1s (ones), and all the other elements are all 0s (zeroes). I n = [ 1 0 0 ⋯ 0 0 1 0 ⋯ 0 0 0 1 ⋯ 0 ⋮ ⋮ ⋮ ⋱ ...
#Jsish
Jsish
/* Identity matrix, in Jsish */ function identityMatrix(n) { var mat = new Array(n).fill(0); for (var r in mat) { mat[r] = new Array(n).fill(0); mat[r][r] = 1; } return mat; }   provide('identityMatrix', 1);   if (Interp.conf('unitTest')) { ; identityMatrix(0); ; identityMatrix(1);...
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Visual_Basic_.NET
Visual Basic .NET
For i As Integer = 0 To Integer.MaxValue Console.WriteLine(i) Next
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#WDTE
WDTE
let s => import 'stream';   s.new 0 (+ 1) -> s.map (io.writeln io.stdout) -> s.drain ;
http://rosettacode.org/wiki/I_before_E_except_after_C
I before E except after C
The phrase     "I before E, except after C"     is a widely known mnemonic which is supposed to help when spelling English words. Task Using the word list from   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, check if the two sub-clauses of the phrase are plausible individually:   "I before E when not pre...
#REXX
REXX
/*REXX program shows plausibility of "I before E" when not preceded by C, and */ /*───────────────────────────────────── "E before I" when preceded by C. */ parse arg iFID . /*obtain optional argument from the CL.*/ if iFID=='' | iFID=="," then iFID='UNIXDICT.TXT...
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Nemerle
Nemerle
mutable str = "12345"; str = $"$(Int32.Parse(str)+1)";
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#NetRexx
NetRexx
/* NetRexx */   options replace format comments java crossref savelog symbols nobinary   numbers = '12345' say numbers numbers = numbers + 1 say numbers   return  
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Lingo
Lingo
on compare (a, b) if a < b then put a&" is less than "&b if a = b then put a&" is equal to "&b if a > b then put a&" is greater than "&b end
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#LiveCode
LiveCode
ask question "Enter 2 numbers (comma separated)" with empty titled "Enter 2 numbers" if it is not empty then put item 1 of it into num1 put item 2 of it into num2 if isnumber(num1) and isnumber(num2) then if num1 < num2 then answer num1 && "is less than" && num2 if num1 is num2 then answer n...
http://rosettacode.org/wiki/HTTPS/Client-authenticated
HTTPS/Client-authenticated
Demonstrate how to connect to a web server over HTTPS where that server requires that the client present a certificate to prove who (s)he is. Unlike with the HTTPS request with authentication task, it is not acceptable to perform the authentication by a username/password or a set cookie. This task is in general useful...
#zkl
zkl
var CURL=Import("zklCurl"), c=CURL(); c.setOpt("SSLCERT","certFile.pem"); c.setOpt("SSLCERTTYPE","pem"); c.get("http://zenkinetic.com"); // lame example to show how to read
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#LiveCode
LiveCode
command getAuthWebResource libURLFollowHttpRedirects true libURLSetSSLVerification true put URL "https://user:passwd@example.basicauth.com/" into response put response end getAuthWebResource
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Lua
Lua
  local requests = require('requests') local auth = requests.HTTPBasicAuth('admin', 'admin') local resp, e = requests.get({ url = 'https://httpbin.org/basic-auth/admin/admin', auth = auth }) io.write(string.format('Status: %d', resp.status_code))  
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Nim
Nim
import httpclient, base64   const User = "admin" Password = "admin"   let headers = newHttpHeaders({"Authorization": "Basic " & base64.encode(User & ":" & Password)}) let client = newHttpClient(headers = headers) echo client.getContent("https://httpbin.org/basic-auth/admin/admin")
http://rosettacode.org/wiki/HTTPS
HTTPS
Task Send a GET request to obtain the resource located at the URL "https://www.w3.org/", then print it to the console. Checking the host certificate for validity is recommended. Do not authenticate. That is the subject of other tasks. Readers may wish to contrast with the HTTP Request task, and also the task on HTT...
#Ada
Ada
  with AWS.Client; with AWS.Response; with Ada.Text_IO; use Ada.Text_IO; procedure GetHttps is begin Put_Line (AWS.Response.Message_Body (AWS.Client.Get ( URL => "https://sourceforge.net/"))); end GetHttps;  
http://rosettacode.org/wiki/Host_introspection
Host introspection
Print the word size and endianness of the host machine. See also: Variable size/Get
#68000_Assembly
68000 Assembly
TestEndianness: LEA UserRam,A0 MOVE.L #$0000FFFF,(A0) MOVE.B (A0),D0 ;read the 0th byte stored BEQ isBigEndian ;if this was little endian, the bytes would be stored FF FF 00 00   ;must have been little-endian. Spoiler alert: execution will never reach here LEA LittleEndianMessage,A3 JSR PrintString rts isBigEndian: ...
http://rosettacode.org/wiki/Hostname
Hostname
Task Find the name of the host on which the routine is running.
#Ada
Ada
with Ada.Text_IO; use Ada.Text_IO; with GNAT.Sockets;   procedure Demo is begin Put_Line (GNAT.Sockets.Host_Name); end Demo;
http://rosettacode.org/wiki/IBAN
IBAN
This page uses content from Wikipedia. The original article was at IBAN. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) The   International Bank Account Number (IBAN)   is an internationally agree...
#Racket
Racket
#lang racket (define lens '([AL 28] [AD 24] [AT 20] [AZ 28] [BH 22] [BE 16] [BA 20] [BR 29] [BG 22] [CR 21] [HR 21] [CY 28] [CZ 24] [DK 18] [DO 28] [EE 20] [FO 18] [FI 18] [FR 27] [GE 22] [DE 22] [GI 23] [GR 27] [GL 18] [GT 28] [HU 28] [IS 26] [IE 22] [IL 23] [IT 27] [KZ 20] [KW 30] [LV 21] [LB 28] [LI 21...
http://rosettacode.org/wiki/Identity_matrix
Identity matrix
Task Build an   identity matrix   of a size known at run-time. An identity matrix is a square matrix of size n × n, where the diagonal elements are all 1s (ones), and all the other elements are all 0s (zeroes). I n = [ 1 0 0 ⋯ 0 0 1 0 ⋯ 0 0 0 1 ⋯ 0 ⋮ ⋮ ⋮ ⋱ ...
#Julia
Julia
using LinearAlgebra unitfloat64matrix = 1.0I
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Wren
Wren
import "./fmt" for Fmt import "./big" for BigInt   var max = 2.pow(53) // 9007199254740992 (16 digits) for (i in 1...max) Fmt.print("$d", i)   var bi = BigInt.new(max.toString) while (true) { Fmt.print("$i", bi) bi = bi + 1 }
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#XLISP
XLISP
(defun integer-sequence-from (x) (print x) (integer-sequence-from (+ x 1)) )   (integer-sequence-from 1)
http://rosettacode.org/wiki/I_before_E_except_after_C
I before E except after C
The phrase     "I before E, except after C"     is a widely known mnemonic which is supposed to help when spelling English words. Task Using the word list from   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, check if the two sub-clauses of the phrase are plausible individually:   "I before E when not pre...
#Ring
Ring
  # Project : I before E except after C   fn1 = "unixdict.txt"   fp = fopen(fn1,"r") str = fread(fp, getFileSize(fp)) fclose(fp) strcount = str2list(str) see "The number of words in unixdict : " + len(strcount) + nl cei = count(str, "cei") cie = count(str, "cie") ei = count(str, "ei") ie = count(str, "ie") see "Instan...
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#NewLISP
NewLISP
(string (++ (int "123")))
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Nim
Nim
import strutils let next = $(parseInt("123") + 1)
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#LLVM
LLVM
; ModuleID = 'test.o' ;e means little endian ;p: { pointer size : pointer abi : preferred alignment for pointers } ;i same for integers ;v is for vectors ;f for floats ;a for aggregate types ;s for stack objects ;n: {size:size:size...}, best integer sizes target datalayout = "e-p:32:32:32-i1:8:8-i8:8:8-i16:16:16-i32:3...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Mathematica_.2F_Wolfram_Language
Mathematica / Wolfram Language
a = RunThrough["curl -u JohnDoe:Password https://www.example.com", 1] For[ i=0, i < Length[a] , i++, SomeFunction[a]]
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Perl
Perl
use LWP::UserAgent qw(); my $ua = LWP::UserAgent->new; my $netloc = 'http://www.buddhism-dict.net/cgi-bin/xpr-dealt.pl:80'; $ua->credentials( $netloc, 'CJK-E and Buddhist Dictionaries', # basic realm 'guest', # user '', # empty pw ); my $response = $ua->get($netloc);   use WWW::Mechanize qw(); my $me...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Phix
Phix
without js include builtins\libcurl.e curl_global_init() atom curl = curl_easy_init() curl_easy_setopt(curl, CURLOPT_URL, "https://user:[email protected]/") object res = curl_easy_perform_ex(curl) curl_easy_cleanup(curl) curl_global_cleanup() puts(1,res)
http://rosettacode.org/wiki/HTTPS
HTTPS
Task Send a GET request to obtain the resource located at the URL "https://www.w3.org/", then print it to the console. Checking the host certificate for validity is recommended. Do not authenticate. That is the subject of other tasks. Readers may wish to contrast with the HTTP Request task, and also the task on HTT...
#Arturo
Arturo
print read "https://www.w3.org/"
http://rosettacode.org/wiki/HTTPS
HTTPS
Task Send a GET request to obtain the resource located at the URL "https://www.w3.org/", then print it to the console. Checking the host certificate for validity is recommended. Do not authenticate. That is the subject of other tasks. Readers may wish to contrast with the HTTP Request task, and also the task on HTT...
#AutoHotkey
AutoHotkey
  URL := "https://sourceforge.net/" WININET_Init() msgbox % html := UrlGetContents(URL) WININET_UnInit() return #include urlgetcontents.ahk #include wininet.ahk  
http://rosettacode.org/wiki/HTTPS
HTTPS
Task Send a GET request to obtain the resource located at the URL "https://www.w3.org/", then print it to the console. Checking the host certificate for validity is recommended. Do not authenticate. That is the subject of other tasks. Readers may wish to contrast with the HTTP Request task, and also the task on HTT...
#BaCon
BaCon
OPTION TLS TRUE website$ = "www.google.com"   OPEN website$ & ":443" FOR NETWORK AS mynet   SEND "GET / HTTP/1.1\r\nHost: " & website$ & "\r\n\r\n" TO mynet WHILE WAIT(mynet, 1000) RECEIVE dat$ FROM mynet total$ = total$ & dat$ IF REGEX(dat$, "\r\n\r\n$") THEN BREAK  : ' Quit receiving data when en...
http://rosettacode.org/wiki/Host_introspection
Host introspection
Print the word size and endianness of the host machine. See also: Variable size/Get
#8086_Assembly
8086 Assembly
.model small .stack 1024   .data   UserRam BYTE 256 DUP (0)   .code start:   mov ax,@data ;assembler calculates this offset for us mov ds,ax ;the 8086 can only load segment registers from other registers, not directly from immediate values.   mov ax,@code mov es,ax   mov ax...
http://rosettacode.org/wiki/Host_introspection
Host introspection
Print the word size and endianness of the host machine. See also: Variable size/Get
#Action.21
Action!
PROC Main() PrintE("All Atari 8-bit computers use little-endian word of 16-bits size.") RETURN
http://rosettacode.org/wiki/Hostname
Hostname
Task Find the name of the host on which the routine is running.
#Aikido
Aikido
  println (System.hostname)  
http://rosettacode.org/wiki/Hostname
Hostname
Task Find the name of the host on which the routine is running.
#ALGOL_68
ALGOL 68
STRING hostname; get(read OF execve child pipe("/bin/hostname","hostname",""), hostname); print(("hostname: ", hostname, new line))
http://rosettacode.org/wiki/Hostname
Hostname
Task Find the name of the host on which the routine is running.
#AppleScript
AppleScript
  host name of (system info)  
http://rosettacode.org/wiki/IBAN
IBAN
This page uses content from Wikipedia. The original article was at IBAN. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) The   International Bank Account Number (IBAN)   is an internationally agree...
#Raku
Raku
subset IBAN of Str where sub ($_ is copy) { s:g/\s//; return False if m/<-[ 0..9 A..Z a..z ]>/ or .chars != < AD 24 AE 23 AL 28 AT 20 AZ 28 BA 20 BE 16 BG 22 BH 22 BR 29 CH 21 CR 21 CY 28 CZ 24 DE 22 DK 18 DO 28 EE 20 ES 24 FI 18 FO 18 FR 27 GB 22 GE 22 GI 23 GL 18 GR 27 GT 28 HR 21 HU 2...
http://rosettacode.org/wiki/Hough_transform
Hough transform
Task Implement the Hough transform, which is used as part of feature extraction with digital images. It is a tool that makes it far easier to identify straight lines in the source image, whatever their orientation. The transform maps each point in the target image, ( ρ , θ ) {\displaystyle (\rho ,\theta )} , ...
#BBC_BASIC
BBC BASIC
Width% = 320 Height% = 240   VDU 23,22,Width%;Height%;8,16,16,128 *DISPLAY Pentagon.bmp OFF   DIM hist%(Width%-1, Height%-1)   rs = 2 * SQR(Width%^2 + Height%^2) / Height% : REM Radial step ts = PI / Width% : REM Angular step h% = Height% / 2   REM Hough trans...
http://rosettacode.org/wiki/Identity_matrix
Identity matrix
Task Build an   identity matrix   of a size known at run-time. An identity matrix is a square matrix of size n × n, where the diagonal elements are all 1s (ones), and all the other elements are all 0s (zeroes). I n = [ 1 0 0 ⋯ 0 0 1 0 ⋯ 0 0 0 1 ⋯ 0 ⋮ ⋮ ⋮ ⋱ ...
#K
K
=4 (1 0 0 0 0 1 0 0 0 0 1 0 0 0 0 1) =5 (1 0 0 0 0 0 1 0 0 0 0 0 1 0 0 0 0 0 1 0 0 0 0 0 1)  
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#XPL0
XPL0
\Displays integers up to 2^31-1 = 2,147,483,647 code CrLf=9, IntOut=11; int N; [N:= 1; repeat IntOut(0, N); CrLf(0); N:= N+1; until N<0; ]
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Yabasic
Yabasic
i = 1   repeat print i i = i + 1 until i = 0 end
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#Z80_Assembly
Z80 Assembly
org &1000 PrintChar equ &BB5A ld hl,1 ;START AT ONE main: push hl ;PRINT HIGH BYTE ld a,h call ShowHex ;THEN PRINT LOW BYTE ld a,l call ShowHex   ;NEW LINE ld a,13 call PrintChar ld a,10 call PrintChar   pop hl ;NEXT HL inc hl ;COMPARE HL TO ZERO ld a,h or l jr nz,main ;IF NOT ZERO, REPEAT ret ;RETURN TO BAS...
http://rosettacode.org/wiki/I_before_E_except_after_C
I before E except after C
The phrase     "I before E, except after C"     is a widely known mnemonic which is supposed to help when spelling English words. Task Using the word list from   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, check if the two sub-clauses of the phrase are plausible individually:   "I before E when not pre...
#Ruby
Ruby
require 'open-uri'   plausibility_ratio = 2 counter = Hash.new(0) path = 'http://wiki.puzzlers.org/pub/wordlists/unixdict.txt' rules = [['I before E when not preceded by C:', 'ie', 'ei'], ['E before I when preceded by C:', 'cei', 'cie']]   open(path){|f| f.each{|line| line.scan(/ie|ei|cie|cei/){|match| counter...
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#NS-HUBASIC
NS-HUBASIC
10 S$ = "12345" 20 S$ = STR$(VAL(s$) + 1)
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Oberon-2
Oberon-2
MODULE addstr;   IMPORT Out, Strings;   VAR str1, str2 : ARRAY 9 OF CHAR; num, pos : INTEGER; carry : BOOLEAN; ch : CHAR;   BEGIN str1 := "9999"; Out.Char ('"'); Out.String (str1); Out.String ('" + 1 = '); num := Strings.Length (str1) - 1;...
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Logo
Logo
to compare :a :b if :a = :b [(print :a [equals] :b)] if :a < :b [(print :a [is less than] :b)] if :a > :b [(print :a [is greater than] :b)] end
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#LSE
LSE
(* Comparaison de deux entiers en LSE (LSE-2000) *) ENTIER A, B LIRE ['Entrez un premier entier:',U] A LIRE ['Entrez un second entier:',U] B SI A < B ALORS AFFICHER [U,' est plus petit que ',U,/] A, B FIN SI SI A = B ALORS AFFICHER [U,' est égale à ',U,/] A, B FIN SI SI A > B ALORS AFFICHER [U,' est plus g...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#PicoLisp
PicoLisp
(let (User "Bill" Pass "T0p5ecRet" Url "https://www.example.com") (in (list 'curl "-u" (pack User ': Pass) Url) (while (line) (doSomeProcessingWithLine @) ) ) )
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#PowerShell
PowerShell
$client = [Net.WebClient]::new() # credentials of current user: $client.Credentials = [Net.CredentialCache]::DefaultCredentials # or specify credentials manually: # $client.Credentials = [System.Net.NetworkCredential]::new("User", "Password") $data = $client.DownloadString("https://example.com") Write-Host $data
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Python
Python
#!/usr/bin/python # -*- coding: utf-8 -*-   from mechanize import Browser   USER_AGENT = "Mozilla/5.0 (X11; U; Linux i686; tr-TR; rv:1.8.1.9) Gecko/20071102 Pardus/2007 Firefox/2.0.0.9"   br = Browser() br.addheaders = [("User-agent", USER_AGENT)]   # remove comment if you get debug output # br.set_debug_redirects(True...
http://rosettacode.org/wiki/HTTPS
HTTPS
Task Send a GET request to obtain the resource located at the URL "https://www.w3.org/", then print it to the console. Checking the host certificate for validity is recommended. Do not authenticate. That is the subject of other tasks. Readers may wish to contrast with the HTTP Request task, and also the task on HTT...
#Batch_File
Batch File
  :: Must have curl.exe curl.exe -k -s -L https://sourceforge.net/  
http://rosettacode.org/wiki/HTTPS
HTTPS
Task Send a GET request to obtain the resource located at the URL "https://www.w3.org/", then print it to the console. Checking the host certificate for validity is recommended. Do not authenticate. That is the subject of other tasks. Readers may wish to contrast with the HTTP Request task, and also the task on HTT...
#C
C
#include <stdio.h> #include <stdlib.h> #include <curl/curl.h> CURL *curl; char buffer[CURL_ERROR_SIZE]; int main(void) { if ((curl = curl_easy_init()) != NULL) { curl_easy_setopt(curl, CURLOPT_URL, "https://sourceforge.net/"); curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1); curl_easy_seto...
http://rosettacode.org/wiki/Huffman_coding
Huffman coding
Huffman encoding is a way to assign binary codes to symbols that reduces the overall number of bits used to encode a typical string of those symbols. For example, if you use letters as symbols and have details of the frequency of occurrence of those letters in typical strings, then you could just encode each letter wi...
#11l
11l
T Element Int weight [(Char, String)] symbols   F (weight, symbols) .weight = weight .symbols = symbols   F <(other) R (.weight, .symbols) < (other.weight, other.symbols)   F encode(symb2freq) V heap = symb2freq.map((sym, wt) -> Element(wt, [(sym, ‘’)])) minheap:heapify(&heap)   L...
http://rosettacode.org/wiki/Host_introspection
Host introspection
Print the word size and endianness of the host machine. See also: Variable size/Get
#Ada
Ada
with Ada.Text_IO; use Ada.Text_IO; with System; use System;   procedure Host_Introspection is begin Put_Line ("Word size" & Integer'Image (Word_Size)); Put_Line ("Endianness " & Bit_Order'Image (Default_Bit_Order)); end Host_Introspection;
http://rosettacode.org/wiki/Host_introspection
Host introspection
Print the word size and endianness of the host machine. See also: Variable size/Get
#ALGOL_68
ALGOL 68
INT max abs bit = ABS(BIN 1 SHL 1)-1; INT bits per char = ENTIER (ln(max abs char+1)/ln(max abs bit+1)); INT bits per int = ENTIER (1+ln(max int+1.0)/ln(max abs bit+1));   printf(($"states per bit: "dl$,max abs bit+1)); printf(($"bits per char: "z-dl$,bits per char)); printf(($"bits per int: "z-dl$,bits per int)); pri...
http://rosettacode.org/wiki/Hostname
Hostname
Task Find the name of the host on which the routine is running.
#Arc
Arc
(system "hostname -f")
http://rosettacode.org/wiki/Hostname
Hostname
Task Find the name of the host on which the routine is running.
#AutoHotkey
AutoHotkey
MsgBox % A_ComputerName
http://rosettacode.org/wiki/IBAN
IBAN
This page uses content from Wikipedia. The original article was at IBAN. The list of authors can be seen in the page history. As with Rosetta Code, the text of Wikipedia is available under the GNU FDL. (See links for details on variance) The   International Bank Account Number (IBAN)   is an internationally agree...
#REXX
REXX
/*REXX program validates an IBAN (International Bank Account Number). */ @.=; @.1 = 'GB82 WEST 1234 5698 7654 32 ' @.2 = 'Gb82 West 1234 5698 7654 32 ' @.3 = 'GB82 TEST 1234 5698 7654 32 ' @.4 = 'GR16 0110 1250...
http://rosettacode.org/wiki/Hough_transform
Hough transform
Task Implement the Hough transform, which is used as part of feature extraction with digital images. It is a tool that makes it far easier to identify straight lines in the source image, whatever their orientation. The transform maps each point in the target image, ( ρ , θ ) {\displaystyle (\rho ,\theta )} , ...
#C
C
import std.math, grayscale_image;   Image!Gray houghTransform(in Image!Gray im, in size_t hx=460, in size_t hy=360) pure nothrow in { assert(im !is null); assert(hx > 0 && hy > 0); assert((hy & 1) == 0, "hy argument must be even."); } body { auto result = new Image!Gray(hx, hy)...
http://rosettacode.org/wiki/Identity_matrix
Identity matrix
Task Build an   identity matrix   of a size known at run-time. An identity matrix is a square matrix of size n × n, where the diagonal elements are all 1s (ones), and all the other elements are all 0s (zeroes). I n = [ 1 0 0 ⋯ 0 0 1 0 ⋯ 0 0 0 1 ⋯ 0 ⋮ ⋮ ⋮ ⋱ ...
#Kotlin
Kotlin
// version 1.0.6   fun main(args: Array<String>) { print("Enter size of matrix : ") val n = readLine()!!.toInt() println() val identity = Array(n) { IntArray(n) } // create n x n matrix of integers   // enter 1s in diagonal elements for(i in 0 until n) identity[i][i] = 1   // print identity ...
http://rosettacode.org/wiki/Integer_sequence
Integer sequence
Task Create a program that, when run, would display all integers from   1   to   ∞   (or any relevant implementation limit),   in sequence   (i.e.   1, 2, 3, 4, etc)   if given enough time. An example may not be able to reach arbitrarily-large numbers based on implementations limits.   For example, if integer...
#zkl
zkl
[1..].pump(Console.println) // eager m:=(1).MAX; [1..m].pump(Console.println) // (1).MAX is 9223372036854775807 [1..].pump(100,Console.println) // lazy
http://rosettacode.org/wiki/I_before_E_except_after_C
I before E except after C
The phrase     "I before E, except after C"     is a widely known mnemonic which is supposed to help when spelling English words. Task Using the word list from   http://wiki.puzzlers.org/pub/wordlists/unixdict.txt, check if the two sub-clauses of the phrase are plausible individually:   "I before E when not pre...
#Rust
Rust
use std::default::Default; use std::ops::AddAssign;   use itertools::Itertools; use reqwest::get;   #[derive(Default, Debug)] struct Feature<T> { pub cie: T, pub xie: T, pub cei: T, pub xei: T, }   impl AddAssign<Feature<bool>> for Feature<u64> { fn add_assign(&mut self, rhs: Feature<bool>) { ...
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Objeck
Objeck
  s := "12345"; i := int->ToInt(s) + 1; s := i->ToString();  
http://rosettacode.org/wiki/Increment_a_numerical_string
Increment a numerical string
Task Increment a numerical string.
#Objective-C
Objective-C
NSString *s = @"12345"; int i = [s intValue] + 1; s = [NSString stringWithFormat:@"%i", i]
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#LSE64
LSE64
over : 2 pick 2dup : over over   compare : 2dup = then " equals" compare : 2dup < then " is less than" compare : 2dup > then " is more than"   show : compare rot , sp ,t sp , nl
http://rosettacode.org/wiki/Integer_comparison
Integer comparison
Basic Data Operation This is a basic data operation. It represents a fundamental action on a basic data type. You may see other such operations in the Basic Data Operations category, or: Integer Operations Arithmetic | Comparison Boolean Operations Bitwise | Logical String Operations Concatenation | Interpolation |...
#Lua
Lua
print('Enter the first number: ') a = tonumber(io.stdin:read()) print('Enter the second number: ') b = tonumber(io.stdin:read())   if a < b then print(a .. " is less than " .. b) end if a > b then print(a .. " is greater than " .. b) end if a == b then print(a .. " is equal to " .. b) end
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Racket
Racket
  #lang racket   (require net/url net/url-connect openssl)   (module+ main (parameterize ([current-https-protocol (ssl-make-client-context)]) (ssl-set-verify! (current-https-protocol) #t)    ;; When this is #f, we correctly get an exception:  ;; error:14090086:SSL routines:SSL3_GET_SERVER_CERTIFICATE:certif...
http://rosettacode.org/wiki/HTTPS/Authenticated
HTTPS/Authenticated
The goal of this task is to demonstrate HTTPS requests with authentication. Implementations of this task should not use client certificates for this: that is the subject of another task.
#Raku
Raku
use HTTP::UserAgent;   my $username = 'username'; # my username my $password = 'password'; # my password my $address = 'http://192.168.1.1/Status_Router.asp'; # my local wireless router   my $ua = HTTP::UserAgent.new; $ua.auth( $username, $password ); my $response = $ua.get: $address; say $response.is-success ?? $resp...