Covering a Skyline with brush strokes

43

1

Given a non-negative integer skyline height list, answer how many uninterrupted 1-unit-high horizontal brush strokes are needed to cover it.

[1,3,2,1,2,1,5,3,3,4,2], visualised as:

      5    
      5  4 
 3    5334 
 32 2 53342
13212153342

needs nine brush strokes:

      1    
      2  3 
 4    5555 
 66 7 88888
99999999999

Examples

[1,3,2,1,2,1,5,3,3,4,2]9

[5,8]8

[1,1,1,1]1

[]0

[0,0]0

[2]2

[2,0,2]4

[10,9,8,9]11

Adám

Posted 2019-02-04T11:12:33.440

Reputation: 37 779

For interested high-rep users: Based on this as per this.

– Adám – 2019-02-04T11:22:57.497

2So, all brush strokes are horizontal? – tsh – 2019-02-04T11:38:41.383

1@tsh Good point. Added. – Adám – 2019-02-04T11:46:32.917

It wasnt codegolf, but I had this question for an interview code test about a year ago. – luizfzs – 2019-02-06T22:19:34.390

Answers

35

JavaScript (Node.js), 38 bytes

a=>a.map(v=>(n+=v>p&&v-p,p=v),p=n=0)|n

Try it online!

Simply a greedy algorithm which scan from left to right, only draw lines if needed, and draw it as long as possible.

Thanks Arnauld, save 2 3 bytes

tsh

Posted 2019-02-04T11:12:33.440

Reputation: 13 072

@Arnauld nice catch. totally forgot it. – tsh – 2019-02-04T11:56:45.207

How did you realise this? – Adám – 2019-02-04T13:19:19.407

@Adám Nothing magic. First time I read the question I was confused by how to search until i realize all lines are horizontal only. And then this formula just came up to my mind naturally.... – tsh – 2019-02-04T13:45:36.820

4magic seems like a well-fitting word to describe that process. – Adám – 2019-02-04T13:46:48.293

Wish I had seen this before reading the explanation in Arnauld's answer so I could at least try to figure out how it works. – JollyJoker – 2019-02-04T14:36:16.437

1

While this is the origin of the now widely used algorithm, it is explained here.

– Adám – 2019-02-05T12:14:13.640

28

05AB1E,  8 7  5 bytes

Saved 2 bytes thanks to @Adnan

0š¥þO

Try it online!

How?

This is using the algorithm that was first found by @tsh. If you like this answer, make sure to upvote their answer as well!

Each time a skyscraper is lower than or as high as the previous one, it can be painted 'for free' by simply extending the brushstrokes.

For instance, painting skyscrapers \$B\$ and \$C\$ in the figure below costs nothing.

On the other hand, we need 2 new brushstrokes to paint skyscraper \$E\$, no matter if they're going to be reused after that or not.

buildings

For the first skyscraper, we always need as many brushstrokes as there are floors in it.

Turning this into maths:

$$S=h_0+\sum_{i=1}^n \max(h_i-h_{i-1},0)$$

If we prepend \$0\$ to the list, this can be simplified to:

$$S=\sum_{i=1}^n \max(h_i-h_{i-1},0)$$

Commented

0š¥þO     # expects a list of non-negative integers  e.g. [10, 9, 8, 9]
0š        # prepend 0 to the list                    -->  [0, 10, 9, 8, 9]
  ¥       # compute deltas                           -->  [10, -1, -1, 1]
   þ      # keep only values made of decimal digits
          # (i.e. without a minus sign)              -->  ["10", "1"]
    O     # sum                                      -->  11

Arnauld

Posted 2019-02-04T11:12:33.440

Reputation: 111 334

I think 0š¥ʒd}O saves you a byte. – Mr. Xcoder – 2019-02-04T12:27:05.040

@Don'tbeax-tripledot I was editing my answer to exactly that when I saw your comment ;) – Arnauld – 2019-02-04T12:29:47.103

4Beautiful explanation. – Adám – 2019-02-04T14:32:49.260

1Replacing ʒd} with þ should save you two bytes. – Adnan – 2019-02-04T15:23:54.553

@Adnan Ah, nice. Thanks! – Arnauld – 2019-02-04T15:34:29.827

@Adnan Where did you get that? Can't find it here: https://github.com/Adriandmen/05AB1E/wiki/Commands

– Sarien – 2019-02-04T15:43:30.213

Why does Digits of a extract positive numbers from a list? – Sarien – 2019-02-04T15:48:15.657

@Sarien I guess it's filtering values matching /^[0-9]+$/. – Arnauld – 2019-02-04T16:01:15.787

7

Python 3, 37 bytes

lambda a:sum(a)-sum(map(min,a[1:],a))

Try it online!

-5 bytes by switching to Python 3, thanks to Sarien


Python 2, 47 43 42 bytes

lambda a:sum(a)-sum(map(min,a[1:],a[:-1]))

Try it online!

Alt:

lambda a:sum(a)-sum(map(min,zip(a[1:],a)))

Try it online!

TFeld

Posted 2019-02-04T11:12:33.440

Reputation: 19 246

In Python 3 you can ditch the [:-1], saving 5 bytes. – Sarien – 2019-02-04T13:24:01.073

@Sarien Thanks :D, I didn't know map is different in python 2 and 3 – TFeld – 2019-02-04T13:28:19.823

7

Haskell, 32 bytes

(0%)
p%(h:t)=max(h-p)0+h%t
p%_=0

Try it online!

An improvement on Lynn's solution that tracks the previous element p instead of looking at the next element. This makes the base case and recursive call shorter in exchange for needing to invoke (0%).

max(h-p)0 could be max h p-p for the same length.

xnor

Posted 2019-02-04T11:12:33.440

Reputation: 115 687

6

Haskell, 35 bytes

f(a:b:c)=max(a-b)0+f(b:c)
f a=sum a

Try it online!

Line 2 could be f[a]=a if I didn't also have to handle the case [].

Lynn

Posted 2019-02-04T11:12:33.440

Reputation: 55 648

Here's some competition. – Post Rock Garf Hunter – 2019-02-04T19:34:13.917

5

K (oK), 12 7 bytes

-5 bytes thanks to ngn!

A k (oK) port of Arnauld's 05AB1E solution (and tsh's JavaScript solution):

+/0|-':

Try it online!

J, 15 bytes

A J port of Arnauld's 05AB1E solution (and tsh's JavaScript solution):

1#.0>./2-~/\0,]

Try it online!

My naive solution:

J, 27 bytes

1#.2(1 0-:])\0,@|:@,~1$~"0]

Try it online!

Galen Ivanov

Posted 2019-02-04T11:12:33.440

Reputation: 13 815

2oK: each prior (':) uses an implicit identity element (0 for -) before the list, so 0, is unnecessary. you can omit { x} to make it a composition: +/0|-': – ngn – 2019-02-04T15:11:28.323

@ngn Thanks! Apparently I've forgotten this: Some primitive verbs result in a different special-cased initial value: +, *, - and & are provided with 0, 1, 0 or the first element of the sequence, respectively – Galen Ivanov – 2019-02-04T15:25:11.810

5

Haskell, 34 32 bytes

2 bytes trimmed by Lynn

g x=sum$max 0<$>zipWith(-)x(0:x)

Try it online!

So to start we have zipWith(-). This takes two lists and produces a new list of their pairwise differences. We then combine it with x and (0:x). (0:) is a function that adds zero to the front of a list and by combining it with zipWith(-) we get the differences between consecutive elements of that list with a zero at the front. Then we turn all the negative ones to zero with (max 0<$>). This creates a new list where each element is the number of new strokes that has to be started at each tower. To get the total we just sum these with sum.

Post Rock Garf Hunter

Posted 2019-02-04T11:12:33.440

Reputation: 55 382

2g x=sum$max 0<$>zipWith(-)x(0:x) is 32 bytes :) – Lynn – 2019-02-04T19:39:12.683

As is sum.zipWith((max 0.).(-))<*>(0:) – Lynn – 2019-02-04T19:41:54.183

@Lynn Your second one is going to need extra parentheses since the . has higher precedence than <*>. – Post Rock Garf Hunter – 2019-02-04T19:43:58.930

3

Japt, 8 bytes

-2 bytes from @Shaggy

mîT Õ¸¸è

Explanation

mîT Õ¸¸è      Full program. Implicit input U
                e.g. U = [2,0,2]
mîT             Map each item X and repeat T(0) X times
                     U = ["00","","00"]
    Õ           Transpose rows with columns
                     U = ["0 0","0 0"]
     ¸¸         Join using space and then split in space
                     U = ["0","0","0","0"]
        è       Return the count of the truthy values

Try it online!

Luis felipe De jesus Munoz

Posted 2019-02-04T11:12:33.440

Reputation: 9 639

8 bytes: mîT Õ¸¸è – Shaggy – 2019-02-04T12:27:26.780

1Nice use of A.y()'s padding, by the way. – Shaggy – 2019-02-04T20:21:26.687

3

MATL, 8 bytes

0whd3Y%s

Try it online!

Pretty much @Arnauld's algorithm. Saved one byte (thanks @LuisMendo) by casting to uint64 rather than selecting ) positive entries.

Sanchises

Posted 2019-02-04T11:12:33.440

Reputation: 8 530

3

R, 30 bytes

sum(pmax(0,diff(c(0,scan()))))

Try it online!

Porting of @Arnauld solution which in turn derives from @tsh great solution

digEmAll

Posted 2019-02-04T11:12:33.440

Reputation: 4 599

3

Japt, 7 6 bytes

änT fq

Try it

1 byte saved thanks to Oliver.

änT xwT    :Implicit input of integer array
än         :Consecutive differences / Deltas
  T        :  After first prepending 0
    f      :Filter elements by
     q     :  Square root (The square root of a negative being NaN)
           :Implicitly reduce by addition and output

Shaggy

Posted 2019-02-04T11:12:33.440

Reputation: 24 623

16 bytes – Oliver – 2019-02-04T18:46:54.423

Nice one, @Oliver; wouldn't have thought of that. – Shaggy – 2019-02-04T20:20:48.437

3

Jelly, 5 bytes

A port of my 05AB1E answer, which itself is similar to @tsh JS answer.

ŻI0»S

Try it online!

Commented

ŻI0»S    - main link, expecting a list of non-negative integers  e.g. [10, 9, 8, 9]
Ż        - prepend 0                                             -->  [0, 10, 9, 8, 9]
 I       - compute the deltas                                    -->  [10, -1, -1, 1]
  0»     - compute max(0, v) for each term v                     -->  [10, 0, 0, 1]
    S    - sum                                                   -->  11

Arnauld

Posted 2019-02-04T11:12:33.440

Reputation: 111 334

2

Retina 0.8.2, 21 bytes

\d+
$*
(1+)(?=,\1)

1

Try it online! Link includes test cases. Explanation:

\d+
$*

Convert to unary.

(1+)(?=,\1)

Delete all overlaps with the next tower, which don't need a new stroke.

1

Count the remaining strokes.

Neil

Posted 2019-02-04T11:12:33.440

Reputation: 95 035

2

Common Lisp, 88 87 bytes

(lambda(s)(let((o 0))(dolist(c s)(incf o(max 0 c))(mapl(lambda(y)(decf(car y)c))s))o))

non-minified

(lambda (skyline)
  (let ((output 0))
    (dolist (current-skyscraper-height skyline)
      (incf output (max 0 current-skyscraper-height))
      (mapl (lambda (skyscraper)
              (decf (car skyscraper) current-skyscraper-height))
            skyline))
    output)))

Test it

When one tower is painted, it takes a number of brushstrokes equal to it's height. These brushstrokes translate to all the following ones, which is indicated here by subtracting the current tower's height from all other towers (and itself, but that doesn't matter). If a following tower is shorter, then it will be pushed to a negative number, and this negative number will subsequently subtracted from the towers that follow (indicating brushstrokes that could not be translated from a previous tower to the next ones). It actually just subtracts the number from all tower heights, including previous ones, but this doesn't matter because we don't look at the previous ones again.

Charlim

Posted 2019-02-04T11:12:33.440

Reputation: 91

Welcome to PPCG. Could you possibly provide a link to an online testing environment for ease of verification? – Jonathan Frech – 2019-02-07T00:52:00.850

Yes, absolutely. https://rextester.com/TKBU14782 The answer will be updated shortly

– Charlim – 2019-02-07T00:55:24.903

Well done. +1 for a nice, working first post. Have fun golfing. – Jonathan Frech – 2019-02-07T00:58:58.397

1

05AB1E, 13 10 bytes

Z>Lε@γPO}O

Try it online or verify all test cases.

Explanation:

Z            # Get the maximum of the (implicit) input-list
 >           # Increase it by 1 (if the list only contains 0s)
  L          # Create a list in the range [1, max]
   ε         # Map each value to:
    @        #  Check if this value is >= for each value in the (implicit) input
     γ       #  Split into chunks of adjacent equal digits
      P      #  Take the product of each inner list
       O     #  Take the sum
        }O   # And after the map: take the sum (which is output implicitly)

Kevin Cruijssen

Posted 2019-02-04T11:12:33.440

Reputation: 67 575

1

C# (Visual C# Interactive Compiler) with flag /u:System.Math, 47 bytes

n=>n.Select((a,i)=>i<1?a:Max(a-n[i-1],0)).Sum()

Try it online!

Old version, with flag /u:System.Math, 63 bytes

n=>n.Aggregate((0,0),(a,b)=>(a.Item1+Max(0,b-a.Item2),b)).Item1

I feel like this solution is more elegant than the first one. It goes through the array with a two-value tuple as a starting value, picking up values, and stores the value before it in the second part of the tuple.

Try it online!

Embodiment of Ignorance

Posted 2019-02-04T11:12:33.440

Reputation: 7 014

1

Pyth, 8 bytes

s>#0.++0

Yet another port of @tsh's marvellous answer. Takes the sum (s) of the positive values (>#0) of the deltas (.+) of the input with 0 prepended (+0Q, trailing Q inferred).

Try it online here, or verify all the test cases at once here.

String joining method, 10 bytes

This was the solution I wrote before browsing the other answers.

lcj.t+d*LN

Test suite.

lcj.t+d*LNQ   Implicit: Q=eval(input()), b=<newline>, N=<quote mark>
              Trailing Q inferred
        L Q   Map each element of Q...
       * N    ... to N repeated that many times
     +b       Prepend a newline
   .t         Transpose, padding with spaces
  j           Join on newlines
 c            Split on whitespace
l             Take the length, implicit print

Sok

Posted 2019-02-04T11:12:33.440

Reputation: 5 592

1

Clojure, 50 bytes

#((reduce(fn[[s n]i][(+(max(- i n)0)s)i])[0 0]%)0)

Try it online! (Why doesn't this print anything?)

#( ; begin anonymous function
    (reduce
        (fn [[s n] i] ; internal anonymous reducing function, destructures accumulator argument into a sum and the previous item
            [(+ (max (- i n) 0) s ; the sum part of the accumulator becomes the previous sum plus the larger of zero and the difference between the current number and the last one, which is how many new strokes need to be started at this point
            i]) ; ...and the previous item part becomes the current item
        [0 0] ; the initial value of the accumulator gives no strokes yet, and nothing for them to cover yet
        %) ; reduce over the argument to the function
    0) ; and get the sum element of the last value of the accumulator.

Tried Creating an Account

Posted 2019-02-04T11:12:33.440

Reputation: 11

Welcome to PPCG! I don't know anything about Clojure, but a quick search shows that you'll need to evaluate the lazy for loop. Try it Online! (Tip: you can use the link button to auto-format your answer). Hope you stick around and have some fun!

– Jo King – 2019-02-06T08:47:47.913

1

Java (JDK), 57 bytes

a->{int s=0,p=0;for(int x:a)s-=(x>p?p:x)-(p=x);return s;}

Try it online!

Another port of tsh's Javascript answer. So make sure you've upvoted them.

Note that I used subtraction instead of addition because it allowed me to write (p=x) as right operand in the same statement.

Olivier Grégoire

Posted 2019-02-04T11:12:33.440

Reputation: 10 647

0

MATL, 15 14 13 bytes

ts:<~"@Y'x]vs

Input is a column vector, using ; as separator.

Try it online! Or verify all test cases.

Explanation

t       % Implicit input: column vector. Duplicate
s       % Sum
:       % Range from 1 to that. Gives a row vector
<~      % Greater or equal? Element-wise with broadcast
"       % For each column
  @     %   Push current columnn
  Y'    %   Run-length encoding. Gives vector of values (0, 1) and vector of lengths
  x     %   Delete vector of lengths
]       % End
v       % Vertically concatenate. May give an empty array
s       % Sum. Implicit display

Luis Mendo

Posted 2019-02-04T11:12:33.440

Reputation: 87 464

0

Perl 5, 21 bytes

$\+=$_>$'&&$_-$';//}{

TIO

How

  • -p + }{ + $\ trick
  • // matches empty string so that for next line postmatch $' will contain previous line
  • $\+=$_>$'&&$_-$' to accumulate difference between current line and previous if current is greater than previous, (could also be written $\+=$_-$' if$_>$', but perl doesn't parse $\+=$_-$'if$_>$' the same)

Nahuel Fouilleul

Posted 2019-02-04T11:12:33.440

Reputation: 5 582

0

Stax, 8 bytes

Φ┐Γ╟φφ.╨

Run and debug it

Uses the widely used approach from tsh's JavaScript solution.

wastl

Posted 2019-02-04T11:12:33.440

Reputation: 3 089

0

Wolfram Language (Mathematica), 34 bytes

A port of @Arnauld's solution.

Tr@Select[{##,0}-{0,##},#>0&]&@@#&

Try it online!

alephalpha

Posted 2019-02-04T11:12:33.440

Reputation: 23 988