Editorial for Sharing Chocolate
Submitting an official solution before solving the problem yourself is a bannable offence.
Author:
Editorialist:
This is the first question from the second PCS standard contest.
In this problem, we are effectively trying to get the number of factors of a given number
20 points:
The naive approach to generating all of the factors for
20 points:
Now we need to be a bit more efficient. If we try the previous method, we'll end up taking around
Each number only has factors up to
60 points:
Once again, our old optimisations time out, this time at around
Fear not though, Eratosthenes is here to save the day! The sieve of Eratosthenes, is a method for finding primes which is still one of the most efficient algorithms to date (despite being a few thousand years old). The sieve works by taking an array of numbers all marked as being primes, taking the smallest of them and multiplying it through the table, and repeating until the table is full. While there is a way to figure out the number of factors of a number using prime factors, we're going to use a modified sieve instead to declare the number of factors a given number has instead.
If we go through each number before reading any input, we can pre-compute the number of primes any given number has using a modified sieve of Eratosthenes, and then easily read our input and instantly output the correct value, putting our time complexity at
#include <bits/stdc++.h>
using namespace std;
int main() {
int Q, N;
cin >> Q;
vector<int> sieve(1000001, 1);
for (int i = 2; i < sieve.size(); ++i) {
for (int j = i; j < sieve.size(); j += i) {
++sieve[j];
}
}
for (Q--) {
cin >> N;
cout << sieve[N] << endl;
}
}
Comments
clever! After reading the editorial, I've changed my program according to your solution yet I still get TLE error using c++, why would that be?
the generating part
" ...
.. "
The reason your solution is getting TLE is because it uses slow I/O methods. Read the discussion here: https://pcs.ucc.asn.au/problem/aplusb
Thank you, it worked!