Nson
Nson

Reputation: 125

(c++) How to effectively make ascending sequences (dyn. solution)

I am currently trying to make a program which involves ascending sequences. N is for the size of the sequence and K is the maximum number, for example

Input: 2,3

Output: 6 (1,1 - 1,2 - 1,3 - 2,2 - 2,3 - 3,3)

My current code outputs the right answer however it takes way too much time to get to the right answer. What is the fastest solution of this and how do I do the dynamical solution? Here is the code with the slow solution :

#include<iostream>
using namespace std;
int n,k,cnt=0,mod=1000000007;
int seq(int n, int k, int first, int depth){
   if(depth > n){
       cnt = cnt + 1;
       return cnt;
   }
   else {
       for(int i=first;i<=k;i++){
            seq(n,k,i,depth+1);
       }
   }
   return cnt;
}
int main()
{
    cin>>n>>k;
    cout<<seq(n,k,1,1)%mod<<"\n";
    return 0;
}

Upvotes: 0

Views: 113

Answers (2)

james
james

Reputation: 26

I have solved this problem using dynamic programming.

    #include<bits/stdc++.h>
    #define up(j,k,i) for(i=j;i<k;i++)
    #define down(j,k,i) for(i=j;i>k;i--)
    #define pp(n) printf("%lld\n",n)
    #define is(n) scanf("%lld",&n)
    #define ips(n) scanf("%lld",n)
    #define ss(s) scanf("%s",s)
    #define cool 0
    #define pb push_back
    #define mp make_pair
    #define F first
    #define S second
    #define f(i) cout<<i<<endl;
    #define pll pair<lld,lld> 
    #define pi acos(-1)
    #define ds(n,m) scanf("%lld %lld",&n,&m)
    #define ts(n,m,k) scanf("%lld %lld %lld",&n,&m,&k)
    typedef long double ld;
    typedef long long int lld;
    using namespace std;
    const lld M =1e3+7;
    const lld mod=1e9+7;
    const lld infi =LLONG_MAX;
    lld i,j,ans,k,n,x,y,m,mymax=LLONG_MIN,mymin=LLONG_MAX,b,c,z,sum;
    lld dp[M][M],s[M][M];
    int main()
    {
      lld n,k;
      ds(n,k);
      up(1,k+1,i)
      { 
        s[1][i]=1+s[1][i-1];
      }
      up(2,n+1,i)
      {
        up(1,k+1,j)
        {
          s[i][j]=s[i][j-1]+s[i-1][j];

        }
      }
      pp(s[n][k]);

            return 0;
    }

Upvotes: 1

MBo
MBo

Reputation: 80187

You can count sequences S(M) started from number M in range 1..K:

Imagine that you have sequence of N equal numbers M, M, M, M, M (N times)

To make non-descending sequence, you can use L = 0..K-M ones for incrementing sequence members (and all subsequent numbers). For example, using two ones, you can make valid sequence M, M, M+1, M+1, M+2. Note that there are C(L-1, N-1) variants to do this (you may insert N-1 vertical lines between L-1 dots ...|..|.. )

So

   S(M) = Sum{L=0..K-M} (C(L-1,N-1))

and

   A(N, K) = Sum{M=1..K}(S(M))

Upvotes: 0

Related Questions