Billboards


Problem Statement :


ADZEN is a popular advertising firm in your city that owns all n billboard locations on Main street. The city council passed a new zoning ordinance mandating that no more than k consecutive billboards may be up at any given time. For example, if there are n=3 billboards on Main street and k=1, ADZEN must remove either the middle billboard, the first two billboards, the last two billboards or the first and last billboard.

Being a for-profit company, ADZEN wants to lose as little advertising revenue as possible when removing the billboards. They want to comply with the new ordinance in such a way that the remaining billboards maximize their total revenues (i.e., the sum of revenues generated by the billboards left standing on Main street).

Given n, k, and the revenue of each of the n billboards, find and print the maximum profit that ADZEN can earn while complying with the zoning ordinance. Assume that Main street is a straight, contiguous block of n billboards that can be removed but cannot be reordered in any way.

For example, if there are n=7 billboards, and k=3 is the maximum number of consecutive billboards that can be active, with revenues = [5,6,4,2,10,8,4], then the maximum revenue that can be generated is 37: 5+6+4+2+10+8+4 = 37.

Function Description

Complete the billboards function in the editor below. It should return an integer that represents the maximum revenue that can be generated under the rules.

billboards has the following parameter(s):

k: an integer that represents the longest contiguous group of billboards allowed
revenue: an integer array where each element represents the revenue potential for a billboard at that index
Input Format

The first line contains two space-separated integers, n (the number of billboards) and k (the maximum number of billboards that can stand together on any part of the road).
Each line i of the n subsequent lines contains an integer denoting the revenue value of billboard i (where 0 <= i < n).

Constraints
1 <= n <= 10^5
1 <= k <= n
0 <= revenue value of any billboard <= 2.10^9

Output Format

Print a single integer denoting the maximum profit ADZEN can earn from Main street after complying with the city's ordinance.



Solution :



title-img


                            Solution in C :

In C++ :







#include <vector>
#include <algorithm>
#include <iostream>

using namespace std;


typedef long long llong;
typedef vector<int> int_v;
typedef vector<llong> llong_v;



llong solve(int n, int k, int_v &vs)
{
  llong_v max_vs(n);
  int_v min_left_len(n);
  
  max_vs[0] = vs[0];
  min_left_len[0] = vs[0] > 0 ? 1 : 0;
  
  for (int i=1 ; i < n ; i++)
    if (min_left_len[i-1] < k)
    {
      max_vs[i] = max_vs[i-1] + vs[i];
      min_left_len[i] = min_left_len[i-1] + 1;    
    }
    else
    {
      llong max_v = max_vs[i-1]; 
      int min_ll = 0;
      
      llong tail = 0;
      for (int j=1 ; j <= k && j <= i+1 ; j++)
      {
        tail += vs[i-j+1];
        llong v = tail;
        if (i-j-1 >= 0)
          v += max_vs[i-j-1];
        if (v > max_v)
        {
          max_v = v;
          min_ll = j;
        }
      }
      
      max_vs[i] = max_v;
      min_left_len[i] = min_ll;
    }
  
  return max_vs[n-1];
}


int main(int, char **)
{
  int n, k;
  cin >> n >> k;
  
  int_v vs(n);
  for (int i=0 ; i < n ; i++)
    cin >> vs[i];

  cout << solve(n, k, vs) << endl;  
}








In Java :





import java.util.Scanner;


public class Solution {

	public static void main (String args[]) {
		Scanner sc = new Scanner(System.in);
		String line=sc.nextLine();
		String[] nk=line.split(" ");
        int n=Integer.parseInt(nk[0]);
        int k=Integer.parseInt(nk[1]);
		long[] p  = new long[n];
        for (int i=0;i<n;i++) {
            line = sc.nextLine();
            p[i] = Long.parseLong(line);
        }
        

        long[] notUse = new long[n];
        long[] best = new long[n];
        notUse[0]=0;
        best[0]=p[0];
        long runningChain=p[0];
        int cL=1;
        for (int i=1;i<n;i++) {
        	notUse[i]=best[i-1];
        	best[i]=best[i-1];
        	if (cL<k) {
        		cL++;
        		runningChain+=p[i];
        		if (i-cL<0) {
        			best[i]=runningChain;
        		} else {
        			best[i]=runningChain+notUse[i-cL];
        		}
        	} else {
        		runningChain+=p[i];
        		//Tricky part
        		int bestCL=0;
        		long bestRunningChain=0;
        		for (int j=i-k;j<i;j++) {
            		runningChain-=p[j];
            		if (runningChain+notUse[j] > best[i]) {
            			best[i]=runningChain+notUse[j];
            			bestCL=i-j;
            			bestRunningChain=runningChain;
            		}
        		}
        		runningChain=bestRunningChain;
        		cL=bestCL;
        	}
        }
        System.out.println(best[n-1]);
	}
	
}








In C :





#include <stdio.h>
#include <stdlib.h>
#include <assert.h>
#include <stdint.h>

struct moving_min {
  int64_t value;
  int index;
};

struct queue {
  int max_size;
  int first;
  int last;
  int size;
  struct moving_min* values;
};

// Queue functions
struct moving_min* front(const struct queue* q) {
  return q->values + q->first;
}

struct moving_min* back(const struct queue* q) {
  return q->values + q->last;
}

void push_back(struct queue* q, int64_t value, int index) {
  q->last = (q->last + 1) % q->max_size;
  q->values[q->last].value = value;
  q->values[q->last].index = index;
  q->size++;
  assert(q->size <= q->max_size);
}

void pop_front(struct queue* q) {
  q->first = (q->first + 1) % q->max_size;
  q->size--;
  assert(q->size >= 0);
}

void pop_back(struct queue* q) {
  q->last = (q->last - 1);
  if (q->last < 0) {
    q->last = q->max_size - 1;
  }
  q->size--;
  assert(q->size >= 0);
}

void init_queue(struct queue* q, int k) {
  q->max_size = k;
  q->size = 0;
  q->first = 0;
  q->last = k - 1;
  q->values = malloc(sizeof(struct moving_min) * k);
}

void free_queue(struct queue* q) {
  free(q->values);
}

void print_queue(const struct queue* q) {
  int i;
  for (i = 0; i < q->size; ++i) {
    struct moving_min* val = q->values + ((q->first + i) % q->max_size);
    printf("[%d]=%d,%lld ", i, val->index, val->value);
  }
  printf("\n");
}

// Maintain a queue with the min value of the last k in front

void maintain_moving(int latest_index, int64_t latest_value,
                     struct queue* q) {
  // Remove the first element if its index is out of date
  if ((int64_t)front(q)->index <= latest_index - (int64_t)q->max_size) {
    pop_front(q);
  }
  // Remove elements with a greater value
  while (q->size > 0) {
    if (latest_value <= back(q)->value) {
      pop_back(q);
    } else {
      break;
    }
  }
  // Add the new element
  push_back(q, latest_value, latest_index);
}

int64_t shortest_path(int n, int k, int64_t* values) {
  struct queue q;
  int64_t shortest_path_value;
  int64_t value_sum = 0;
  int i;
  int64_t ret;
  init_queue(&q, k + 1);
  maintain_moving(0, 0, &q);
  for (i = 0; i < n; ++i) {
    value_sum += values[i];
    shortest_path_value = front(&q)->value + values[i];
    maintain_moving(i + 1, shortest_path_value, &q);
  }
  ret = value_sum - front(&q)->value;
  free_queue(&q);
  return ret;
}

int main() {
  int n, k, i;
  scanf("%d %d\n", &n, &k);
  int64_t* values = malloc(n * sizeof(int64_t));
  for (i = 0; i < n; ++i) {
    scanf("%lld\n", values + i);
  }
  printf("%lld", shortest_path(n, k, values));
  return 0;
}








In Python3 :





a=[]
b=[]
soln=[]
in1=[]
out=[]
n1=input("")
k1=n1.split()
n=int(k1[0])
k=int(k1[1])
lis=[]
number=[]

for i in range(0,n):
    d=input("")
    a.append(int(d))
    b.append(1) 
    in1.append(a[i])
    out.append(0)
    number.append(0)

number[n-1]=1
for i in range (1,k):
    in1[n-1-i]=in1[n-i]+a[n-i-1]
    number[n-i-1]=i+1
    out[n-1-i]=in1[n-i]
    
i=n-k-1
while (i>=0):
    out[i]=max(out[i+1],in1[i+1])
    if (number[i+1]<k and in1[i+1]>out[i+1]):
        number[i]=number[i+1]+1
        in1[i]=in1[i+1]+a[i]
    else :
        in1[i]=0
        j=0
        while(j<k):
            
            in1[i]=in1[i]+a[i+j]
            #print(a[i+j],i,in1[i])
            j=j+1
        number[i]=k
        sumi=a[i]
        j=1
        
        while (j<=k):
           #print(i,sumi+out[i+j],in1[i])
           if (sumi+out[i+j]>in1[i]):
                in1[i]=sumi+out[i+j]
                number[i]=j
                #print(i,j,sumi,in1[i])
           sumi=sumi+a[i+j]
           j=j+1
            
            
    i=i-1
#print(in1)
#print(out)
#print(number)
print(max(in1[0],out[0]))
                        








View More Similar Problems

Insert a Node at the Tail of a Linked List

You are given the pointer to the head node of a linked list and an integer to add to the list. Create a new node with the given integer. Insert this node at the tail of the linked list and return the head node of the linked list formed after inserting this new node. The given head pointer may be null, meaning that the initial list is empty. Input Format: You have to complete the SinglyLink

View Solution →

Insert a Node at the head of a Linked List

Given a pointer to the head of a linked list, insert a new node before the head. The next value in the new node should point to head and the data value should be replaced with a given value. Return a reference to the new head of the list. The head pointer given may be null meaning that the initial list is empty. Function Description: Complete the function insertNodeAtHead in the editor below

View Solution →

Insert a node at a specific position in a linked list

Given the pointer to the head node of a linked list and an integer to insert at a certain position, create a new node with the given integer as its data attribute, insert this node at the desired position and return the head node. A position of 0 indicates head, a position of 1 indicates one node away from the head and so on. The head pointer given may be null meaning that the initial list is e

View Solution →

Delete a Node

Delete the node at a given position in a linked list and return a reference to the head node. The head is at position 0. The list may be empty after you delete the node. In that case, return a null value. Example: list=0->1->2->3 position=2 After removing the node at position 2, list'= 0->1->-3. Function Description: Complete the deleteNode function in the editor below. deleteNo

View Solution →

Print in Reverse

Given a pointer to the head of a singly-linked list, print each data value from the reversed list. If the given list is empty, do not print anything. Example head* refers to the linked list with data values 1->2->3->Null Print the following: 3 2 1 Function Description: Complete the reversePrint function in the editor below. reversePrint has the following parameters: Sing

View Solution →

Reverse a linked list

Given the pointer to the head node of a linked list, change the next pointers of the nodes so that their order is reversed. The head pointer given may be null meaning that the initial list is empty. Example: head references the list 1->2->3->Null. Manipulate the next pointers of each node in place and return head, now referencing the head of the list 3->2->1->Null. Function Descriptio

View Solution →