g | x | w | all
Bytes Lang Time Link
002APL dzaima/APL160610T132226ZAdá
062C++250821T164214ZToby Spe
052Regex 🐇 PCRE2 v10.35+230329T051517ZDeadcode
002Thunno 2230723T091552ZThe Thon
052C x8664 gcc O1160609T234751Zanatolyg
055Nibbles230330T060031ZAdam
052Nim230330T060907ZAdam
005Brachylog230330T025226ZUnrelate
016Desmos230330T020238ZAiden Ch
003Vyxal230329T221402ZJoao-3
013Arturo230225T152806Zchunes
044Python230225T144610ZThe Thon
nan230225T141443ZThe Thon
009Pyt230225T141101ZKip the
00305AB1E221118T135822ZKevin Cr
026Factor221117T222645Zchunes
010Juby221117T221627ZJordan
003Pyke160610T164835ZBlue
003Husk210204T121001ZRazetime
010Japt180121T135732ZShaggy
0238th170722T133824ZChaos Ma
014Pari/GP170529T031537Zalephalp
035Axiom170417T091111Zuser5898
032QBIC170104T170559Zsteenber
042AWK170105T200753ZRobert B
048PHP170104T230033ZTitus
046Python160610T023828Zxnor
079𝔼𝕊𝕄𝕚𝕟160612T043404ZMama Fun
067Hoon160611T161548ZRenderSe
060GameMaker Language160611T160547ZTimtech
025Ruby160610T232547ZPeter Ka
012Minkolang 0.15160610T133445ZEl'e
069JavaScript ES6160610T002821ZQuill
02005AB1E160610T085352ZEmigna
013Mathematica160609T233040ZLeaky Nu
013Perl 6160610T033439ZBrad Gil
045Python + SymPy160609T204056ZDennis
020Haskell160609T223401Znimi
049MATLAB160609T212352ZSuever
027Octave160609T205043ZSuever
004MATL160609T203136ZLuis Men
009J160609T203314Zmiles
008Pyth160609T203150ZMaltysen
004Jelly160609T202632ZDennis
011Julia160609T202950ZDennis

APL (dzaima/APL), 3 2 bytes

∧⍳

Try it online!

APL beats Jelly

1 though argument

LCM across

C++, 62 bytes

#include<numeric>
int f(int n){return n?std::lcm(n,f(n-1)):1;}

This is portable standard C++ (C++17 or later). It's a simple recursive function:

int f(int n)
{
    if (n == 0) { return 1; }
    return std::lcm(n, f(n-1));
}

Try it online!

Regex 🐇 (PCRE2 v10.35+), 60 59 54 52 bytes

^((?*(?=(xx+?)\2*$|)((?=x\2)(x+)\4*(?=\4$))*+x+)x)*$

Takes its input in unary, as a string of x characters whose length represents the number. Returns its output as the number of ways the regex can match. (The rabbit emoji indicates this output method.)

Attempt This Online! - PCRE2 v10.40+

The 🐇 output method takes advantage of an aspect of regex that's normally hidden: the backtracking paths that aren't taken. In normal use, all traces of the avenues of potential alternative matches are erased when a final match is found. But in 🐇, they're all taken and counted, allowing a number to be outputted that's larger than the input. For scalar unary input, this provides a strict superset of the power of returning a number via the matched substring or a capture group (either of which can only return values less than or equal to the input), except that there can be no extra state of returning "no match" (in 🐇, that just returns \$0\$).

The limitation of having to work within the space of the input is still present. 🐇 can do combinations of multiplication and addition to yield numbers larger than the input, but it can't do subsequent tests on those results (it can only do tests on intermediate results calculated using capture groups and tail). So for example in this problem, the regex can't just directly search for the smallest number that is divisible by all numbers in the range \$[1,n]\$, because that number is not only larger than the input, it's too large even to be able to emulate using number base arithmetic (and even if that were possible, it would not golf well). So, this regex uses an algorithm different from all of the other answers:

It takes the base prime \$p\$ of every prime power \$p^k\le n\$, and calculates the product of that list of numbers. And because each \$p\$ will occur \$\max \left\{ k \, \middle| \, p^k \le n \right\}\$ times in that list, this product is the same as the product of the prime powers themselves would be, if only the largest from each base prime were included.

The prime power portion is based on my prime powers answer Neil's prime powers answer (which is in turn based on my earliest CGCC answer). In the prime powers challenge, my regex is shorter, but for the purposes of this challenge, his regex (after some extra golfing) allows capturing the smallest prime factor, thus golfing down the overall regex by 1 6 bytes.

^                       # tail = N = input number
(                       # Loop the following:
    (?*                 # Non-atomic lookahead:
                            # M = tail, which cycles from N down to 1
        (?=(xx+?)\2*$|)     # \2 = smallest prime factor of M if M ≥ 2;
                            # otherwise, leave \2 unchanged in PCRE, or
                            # unset in ECMAScript
        (
            (?=x\2)         # Keep iterating until tail ≤ \2, and because of
                            # what \2 is, this means at the end of the loop,
                            # either tail == \2 (if M is a prime power) or
                            # tail == 1 (if M is not a prime power)
            (x+)\4*(?=\4$)  # tail = \4 = {largest proper divisor of tail}
                            #           = tail / {smallest prime factor of tail}
        )*+                 # Iterate the above as many times as possible,
                            # minimum zero, and lock in the result using a
                            # possessive quantifier.
        x+                  # Multiply number of possible matches by tail
    )
    x                   # tail -= 1
)*                      # Loop the above a minimum of 0 times
$                       # Assert that at the end of the above loop, tail == 0

This even returns a correct value for \$n=0\$, while the earlier 60 byte version did not (and needed to be extended to 63 bytes to do so).

A list of other answers that return \$f(0)=1\$ correctly, complete at the time of this edit: AWK, Dyalog APL, J, Japt, Julia v0.7+ (but it was v0.6 at the time of posting, and didn't support it then), MATLAB, MATL, Maxima (with functs), Minkolang (1st answer), Nibbles, PHP, Pari/GP, Perl 5, Perl 6, Pyth, Python (with SymPy), Python (with math), Python, QBIC, Rexx, Vyxal. (Not tested: 8th, Axiom, Hoon)

Thunno 2, 2 bytes

Try it online!

Explanation

    # Implicit input
R   # Range [1..input]
 ŀ  # Reduced by LCM
    # Implicit output

C (x86-64 gcc -O1), 52 bytes

d(n,k,b,t){for(b=k=1;b;++k)for(t=n,b=0;t;b+=k%t--);}

Checks numbers from 1 upwards. For each number, divides it by all numbers from n down to 1, and sums the remainders. Stops when the sum is 0.

Usage:

main()
{
    printf("%d\n", d(7)); // outputs 420
}

It's not obvious how it returns a value (there is no return statement).

The calling convention for x86 says that the function must return its value in the eax register. Conveniently, the division instruction idiv expects its input in eax, and outputs the result in eax (quotient) and edx (remainder). The last iteration divides k by 1, so eax will contain the right value when the function exits.

This only works with gcc and -O1 optimization option (otherwise, it outputs different results — usually 0 or random-looking numbers, but sometimes 421, while the correct answer is 420).

Try it with Compiler Explorer

Nibbles, 5.5 bytes

/|,~~+.,@%@

Attempt This Online!

/|,~~+.,@%@
/|,~        Find the first positive integer k such that
     +      the sum
      .,@   for i from 1 to n
         %@ of k mod i
    ~       is zero

Nim, 52 bytes

import math,sequtils
func p[I](n:I):I=lcm toSeq 1..n

Attempt This Online!

Brachylog, 5 bytes

fa~⟦₁

Try it online!

Reversed I/O.

 a       An affix of
f        the list of the output's factors
  ~⟦₁    is [1 .. n].

Essentially a specialization of my basic LCM solution f⊇p~d: ranges are duplicate-free, so they don't need to be deduplicated; ranges are ascending, so they don't need to be permuted; ranges are necessarily contiguous prefixes of the list of factors, so can be replaced by the evidently much more performant a.

Desmos, 16 bytes

f(n)=[1...n].lcm

Super straightforward

Try It On Desmos!

Vyxal, 3 bytes

ɾ∆Ŀ

Run it!

Explanation:

ɾ   # numbers from 1 to input
 ∆Ŀ # least common multiple

Arturo, 13 bytes

$=>[lcm@..1&]

Try it

Python, 44 bytes

lambda n:math.lcm(*range(1,n+1))
import math

Attempt This Online!

Requires Python 3.9+

Thunno, \$ 5 \log_{256}(96) \approx \$ 4.12 bytes

R1+Al

Attempt This Online!

Explanation

R      # range(0, input)
 1+    # plus one
   Al  # LCM of list

Pyt, 9 bytes

Đ`Đ↔Ĺ↔⁻ł+

Try it online!

Đ            implicit input; Đuplicate
 `     ł     do... while top of stack is truthy
  Đ          Đuplicate top of stack
   ↔         flip stack
    Ĺ        get ĹCM of top two on stack
     ↔       flip stack
      ⁻      decrement
        +    add (removes pesky 0); implicit print

05AB1E, 3 bytes

L.¿

Pretty similar as most golfing languages.

Try it online or verify all test cases.

Explanation:

L    # Push a list in the range [1, (implicit) input]
 .¿  # Pop and push the LCM (Least Common Multiple) of this list
     # (which is output implicitly as result)

Factor, 26 bytes

[ [1,b] 1 [ lcm ] reduce ]

Try it online!

J-uby, 10 bytes

:+|:/&:lcm

Attempt This Online!

Explanation

:+ | :/ & :lcm

:+ |            # Get range 1..n, then
     :/ & :lcm  # reduce with LCM

Pyke, 3 bytes

S.L

Try it here!

S   - range(1, input+1)
 .L - lowest_common_multiple(^)

Husk, 3 bytes

F⌉ḣ

Try it online!

same as APL.

Japt, 10 bytes

No LCM built-in.

@õ e!vX}a1

Try it

8th, 23 bytes

Code

1 ' lcm rot 2 swap loop

This code leaves resulting pseudofactorial on TOS

Usage and example

ok> 7 1 ' lcm rot 2 swap loop .
420

Or more clearly

ok> : pseudofact 1 ' n:lcm rot 2 swap loop ;

ok> 7 pseudofact .
420

Pari/GP, 14 bytes

n->lcm([1..n])

Try it online!

Axiom, 35 bytes

f(x)==reduce(lcm,[i for i in 1..x])

test code and results

(25) -> [[i,f(i)] for i in [1,6,19,22,30]]
   (25)  [[1,1],[6,60],[19,232792560],[22,232792560],[30,2329089562800]]
                                                  Type: List List Integer

i just make the solution of Find the smallest positive integer which has all integers from 1 to n as factors becouse you say it is douplicate i post it here

QBIC, 35 32 bytes

This brought me here.

:{p=0[a|~q%b|p=1]]~p=0|_Xq\q=q+1

Explanation:

:        Get cmd line param as number 'a'
{        Start an infinite DO loop
p=0      Sets a flag that shows if divisions failed
[a|      FOR (b=1; b<=a; b++)
~q%b     IF 'q' (which starts at 1 in QBIC) is not cleanly divisible by 'b'
|p=1     THEN Set the flag
]]   Close the FOR loop and the IF, leave the DO open
~p=0     IF 'q' didn't get flagged
|_Xq     THEN quit, printing 'q'
\q=q+1   ELSE raise 'q', redo
         [DO Loop implicitly closed by QBIC]

Here's a version that stops testing q when b doesn't cleanly divide it. Also, the order of testing b's against q is reversed in the assumption that higher b's will be harder to divide by (take 2, 3, 4 for instance: if %2=0, %4 could be !0. Vice versa not so much...).

:{p=0[a,2,-1|~q%b|p=1┘b=2]]~p=0|_Xq\q=q+1

AWK, 42 bytes

{for(x=n=1;n<=$1;)if(x%n++){x++;n=1}$0=x}1

Command line usage:

awk '{for(x=n=2;n<=$1;)if(x%n++){x++;n=2}$0=x}1' <<< NUM

I didn't see an AWK solution and a duplicate of the question just got posted yesterday, so I thought I'd throw this together. It's rather slow solving for 19 or larger on my box, but it works.

PHP, 61 52 48 bytes

saved 9 bytes thanks to @user59178, 4 bytes by merging the loops.

Recursion in PHP is bulky due to the function key word; so I use iteration.
And with a "small"few tricks, I now even beat Arnauld´s JS.

while(++$k%++$i?$i>$argv[1]?0:$i=1:$k--);echo$k;

takes input from command line argument. Run with -r.

breakdown

while(++$k%++$i?    # loop $i up; if it does not divide $k
    $i>$argv[1]?0       # break if $i (smallest non-divisor of $k) is larger than input
    :$i=1               # while not, reset $i and continue loop with incremented $k
    :$k--);         # undo increment while $i divides $k
echo$k;         # print $k

ungolfed

That´s actually two loops in one:

while($i<=$argv[1]) # loop while $i (smallest non-divisor of $k) is not larger than input
    for($k++,       # loop $k up from 1
        $i=0;$k%++$i<1;);   # loop $i up from 1 while it divides $k
echo$k;             # print $k

Note: copied from my answer on the duplicate

Python, 46 bytes

g=lambda n,c=0:n<1or(c%n<1)*c or g(n,c+g(n-1))

Looking for the multiple c of g(n-1) directly. I had though before that this method would wrongly find 0 as a multiple of anything, but the or short-circuiting or (c%n<1)*c will skip c==0 as well because 0 is Falsey.


50 bytes:

g=lambda n,i=1:n<1or(i*n%g(n-1)<1)*i*n or g(n,i+1)

Like Dennis's solution, but as a recursive function. Having computed g(n-1), looks for the smallest multiple i*n of n that's also a multiple of g(n-1). Really slow.

Thanks to Dennis for 4 bytes by looking at multiples of n instead of g(n-1).

𝔼𝕊𝕄𝕚𝕟, 7 chars / 9 bytes

Мū…⩤⁽1ï

Try it here (ES6 only).

Just a LCM of inclusive range from 1 to input.

Hoon, 67 bytes

|*
*
(roll (gulf 1 +<) |=({a/@ b/_1} (div (mul a b) d:(egcd a b))))

Create the list [1..n], fold over the list with lcm. Unfortunately, the Hoon stdlib doesn't have a pre-built one I can use :/

GameMaker Language, 60 bytes

for(b=k=1;b;++k){b=0for(t=argument0;t;b+=k mod t--)}return k

Based on the logic of anatolyg's answer.

Ruby, 25 bytes

g=->n{(1..n).reduce :lcm}

Ruby, 25 bytes

g=->n{n<1?1:a[n-1].lcm n}

Minkolang 0.15, 12 bytes

I have two 12-byte solutions, and have included them both.

1n[i1+4$M]N.

Try it here!

Explanation

1               Push 1
 n              Take number from input
  [             For loop that repeats n times
   i1+          Push loop counter + 1
      4$M       Pop b, a and push lcm(a,b)
         ]      Close for loop
          N.    Output as number and stop.

About as straightforward as it gets.


11nLd[4$M]N.

Try it here!

Explanation

11              Push two 1s
  n             Take number from input
   L            Pop b, a and push range from a to b, inclusive
    d           Duplicate top of stack (n)
     [4$M]      Pop b, a and push lcm(a,b), n times
          N.    Output as number and stop.

A third solution can be derived from this: remove a 1 and add a d after the current d. In both cases, the extra number is needed because the for loop runs one too many times, and making it run one less time takes two bytes (1- just before the [).

JavaScript (ES6), 92 88 80 74 69 bytes:

Thanks @ConorOBrien and @Neil

y=>(g=(a,b)=>b?g(b,a%b):a,[...Array(y)].map((_,i)=>y=y*++i/g(y,i)),y)

05AB1E, 20 bytes

Lpvyi¹LÒN>¢àN>*ˆ}}¯P

Explanation

Lpv                    # for each item in isprime(range(1,N)): N=7 -> [0,1,1,0,1,0,1]
   yi                  # if prime
     ¹LÒN>¢            # count occurrences of the prime 
                         in the prime-factorization of range(1,N):
                         p=2 -> [0,1,0,2,0,1,0]
           àN>*ˆ       # add max occurrence of that prime multiplied by the prime 
                         to global array: N=7 -> [4,3,5,7]
                }}     # end if/loop
                  ¯P   # get product of global array

Try it online

Mathematica, 13 bytes

LCM@@Range@#&

Perl 6, 13 bytes

{[lcm] 1..$_}

Anonymous code block that creates a Range from 1 to the input (inclusive), and then reduces that with &infix:<lcm>.

Example:

#! /usr/bin/env perl6
use v6.c;

my &postfix:<p!> = {[lcm] 1..$_}

say 1p!; # 1
say 2p!; # 2
say 3p!; # 6
say 4p!; # 12
say 5p!; # 60
say 6p!; # 60
say 7p!; # 420

say 10000p!; # 5793339670287642968692270879...
# the result from this is 4349 digits long

Python + SymPy, 45 bytes

import sympy
lambda n:sympy.lcm(range(1,n+1))

Fairly self-explanatory.


Python 2, 57 54 bytes

i=r=input();exec't=r\nwhile r%i:r+=t\ni-=1;'*r;print r

Test it on Ideone.

How it works

The input is stored in variables i and r.

exec executes the following code r times.

t=r
while r%i:r+=t
i-=1

While i varies from r to 1, we add the initial value of r (stored in t) as many times as necessary to r itself to create a multiple of i. The result is, obviously, a multiple of t.

The final value of r is thus a multiple of all integers in the range [1, ..., n], where n is the input.

Haskell, 20 bytes

f x=foldr1 lcm[1..x]

Usage example: map f [1..7] -> [1,2,6,12,60,60,420].

The lcm trick in Haskell.

MATLAB, 49 bytes

@(x)find(~any(bsxfun(@rem,1:prod(1:x),(1:x)')),1)

Octave, 27 bytes

@(x)lcm(1,num2cell(1:x){:})

Creates an anonymous function that can be invoked as ans(N).

Online Demo

Explanation

This solution creates a list of all numbers between 1 and x (1:x), converts them to a cell array with num2cell. Then the {:} indexing creates a comma-separated-list which is passed to lcm as multiple input arguments to compute the least common multiple. A 1 is always passed as the first argument to lcm because lcm always needs at least two input arguments.

MATL, 4 bytes

:&Zm

Try it online!

Explanation

:      % Take input N implicitly. Generate range [1 2 ... N]
&Zm    % LCM of the numbers in that array. Display implicitly

J, 9 bytes

[:*./1+i.

Straight-forward approach. Creates the range of numbers [0, ..., n-1], then adds one to each, and reduce it using the LCM.

Usage

   f =: [:*./1+i.
   f 7
420

Pyth - 8 bytes

Checks all numbers till it finds one that is divisible by [1..N].

f!s%LTSQ

Test Suite.

Jelly, 4 bytes

Ræl/

Try it online! or verify all test cases.

How it works

Ræl/  Main link. Input: n

R     Range; yield [1, ..., n].
   /  Reduce the range...
 æl     by LCM.

Julia, 11 bytes

!n=lcm(1:n)

Try it online!