2833. Furthest Point From Origin
Problem Description
In this problem, we are given a string moves
that represents a sequence of movements along a number line.
This string is composed of only three types of characters: 'L'
, 'R'
, and '_'
. Each character in the string represents a potential movement in a specific direction:
'L'
represents a move to the left.'R'
represents a move to the right.'_'
represents a move that can be chosen to be either left or right.
We are asked to determine the furthest distance from the origin (point 0 on the number line) we can reach after performing all the moves. The furthest distance is calculated as how far one could be from the origin in either direction, so we need to consider the greatest possible deviation from the starting point.
Intuition
The problem asks for the furthest distance possible from the origin rather than the final position after all moves. Intuitively, the furthest one can be from the origin is by combining the absolute difference between the moves to the left 'L'
and the moves to the right 'R'
along with the total number of '_'
moves. This is because '_'
moves provide us with flexibility, and we can assume they can be used to move in the direction that increases this difference.
Here is the reasoning broken down by each type of move:
- For each
'L'
move, the position moves one unit to the left. - For each
'R'
move, the position moves one unit to the right. - For each
'_'
move, we do not know whether it should be left or right for maximum distance, so we can count it separately.
At the end, the furthest distance from the origin can be calculated as:
- The absolute difference between the count of
'L'
and'R'
which gives us how far we could be if the'_'
characters did not contribute to the distance. This models the rigid moves. - Plus the count of
'_'
because they can be used to extend the distance further in the direction that we have more moves ('L'
or'R'
).
The solution is implemented by counting the number of 'L'
, 'R'
, and '_'
characters in the moves
string and then applying the above logic to compute the final result. The Python count()
function is used to get the number of occurrences of each character.
Solution Approach
The implementation uses Python's built-in method count()
to calculate the number of moves for each type: 'L'
for left moves, 'R'
for right moves, and '_'
for the flexible moves. Using these counts, the solution takes advantage of the fact that the final distance can be determined by two components:
-
The absolute difference between left and right moves:
- This tells us the net movement in one specific direction. If there are more
'L'
than'R'
moves, this will be a negative number representing the distance to the left of the origin, and vice versa. Theabs()
function is applied to this difference to get the positive equivalent of this net movement because we're only interested in distance, not direction.
- This tells us the net movement in one specific direction. If there are more
-
The total number of '_' moves:
- Since these moves are flexible, they can be added directly to the difference calculated in step 1. This accounts for the maximum possible extension to the distance we can reach from the origin. Here we assume that all
'_'
moves are used optimally to move further in the direction that already has a net movement.
- Since these moves are flexible, they can be added directly to the difference calculated in step 1. This accounts for the maximum possible extension to the distance we can reach from the origin. Here we assume that all
The formula for the "furthest distance from the origin" is thus:
furthest_distance = abs(count('L') - count('R')) + count('_')
Following this approach, the solution does not need to iterate through the string for each move or calculate the position after each move. Instead, it treats the problem comprehensively, counting the moves of each type and then combining them to immediately return the furthest possible distance.
Here is the Python function for reference:
class Solution:
def furthestDistanceFromOrigin(self, moves: str) -> int:
# Calculating the net number of moves to the left or right by finding the absolute difference
# between the number of 'L' and 'R' in the given moves string.
net_directional_moves = abs(moves.count("L") - moves.count("R"))
# Adding the count of '_' to the net directional moves to get the furthest distance possible,
# since '_' can represent a move in either direction.
furthest_distance = net_directional_moves + moves.count("_")
return furthest_distance
This code returns the maximum distance achievable after all moves
. Because it performs a fixed set of operations unrelated to the size of the input string, this algorithm runs in O(n) time, where n is the length of the moves
string, due to the underlying implementation of the count()
function.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a small example to illustrate the solution approach. Suppose we are given the moves
string "L_LRR_"
.
Here's how we walk through this string according to the solution approach:
-
Count the number of each type of move:
- Number of
'L'
moves: 2 (the first and third characters). - Number of
'R'
moves: 2 (the fourth and fifth characters). - Number of
'_'
moves: 2 (the second and sixth characters).
- Number of
-
Compute the absolute difference between the number of
'L'
and'R'
moves:- The difference is
abs(2 - 2)
which equals0
. This shows that the net movement to the left or to the right, without considering the'_'
moves, would leave us at the origin.
- The difference is
-
Add the number of
'_'
moves to this difference:- Since the difference was
0
, adding the 2'_'
moves would give us0 + 2 = 2
.
- Since the difference was
Therefore, the furthest distance from the origin that can be achieved with the given moves
string "L_LRR_"
is 2
. We can interpret this as having the flexibility to move 2 additional units in either direction, on top of the net movement calculated between 'L'
and 'R'
, resulting in a maximum possible deviation of 2 units from the origin.
The Python function would execute as follows:
solution = Solution()
print(solution.furthestDistanceFromOrigin("L_LRR_")) # Output: 2
This example confirms that the given solution approach effectively calculates the furthest possible distance from the origin by counting and comparing the moves without needing to simulate each move step by step.
Solution Implementation
1class Solution:
2 def furthestDistanceFromOrigin(self, moves: str) -> int:
3 # Count the number of 'L' moves
4 left_moves = moves.count("L")
5 # Count the number of 'R' moves
6 right_moves = moves.count("R")
7 # Count the number of '_' (stand still) moves
8 stand_still_moves = moves.count("_")
9
10 # Calculate the horizontal distance from the origin
11 # by finding the absolute difference between left and right moves.
12 horizontal_distance = abs(left_moves - right_moves)
13
14 # The furthest distance from the origin is the sum of the absolute
15 # horizontal distance and the number of stand still moves.
16 # Stand still moves do not change the horizontal or vertical position,
17 # so they are added directly to the furthest distance.
18 furthest_distance = horizontal_distance + stand_still_moves
19
20 return furthest_distance
21
22# Example usage:
23# solution = Solution()
24# moves = "L_R__R_L"
25# print(solution.furthestDistanceFromOrigin(moves)) # Output will be 3
26
1class Solution {
2
3 /**
4 * Calculates the furthest distance from the origin based on a set of moves.
5 * Assumes moves only in the left ('L'), right ('R'), and up ('_') directions.
6 * Left and right movements will cancel each other out, while up moves will always
7 * increase the distance from the origin.
8 *
9 * @param moves String representing a sequence of moves.
10 * @return The furthest distance from the origin following the moves.
11 */
12 public int furthestDistanceFromOrigin(String moves) {
13 // Calculate the net horizontal distance by finding the difference
14 // between left (L) and right (R) moves.
15 int horizontalDistance = Math.abs(countOccurrences(moves, 'L') - countOccurrences(moves, 'R'));
16
17 // Add the total vertical ('_') moves to the net horizontal distance
18 // to find the furthest distance from the origin.
19 return horizontalDistance + countOccurrences(moves, '_');
20 }
21
22 /**
23 * Counts the occurrences of a specified character in a given string.
24 *
25 * @param str The string to search.
26 * @param ch The character to count.
27 * @return The number of times the character appears in the string.
28 */
29 private int countOccurrences(String str, char ch) {
30 // Initialize count to 0.
31 int count = 0;
32
33 // Iterate over each character in the string.
34 for (int i = 0; i < str.length(); i++) {
35 // If the current character matches the target character, increment the count.
36 if (str.charAt(i) == ch) {
37 count++;
38 }
39 }
40
41 // Return the total count of the target character in the string.
42 return count;
43 }
44}
45
1#include <algorithm> // Include algorithm for std::count
2#include <string> // Include string for std::string
3#include <cmath> // Include cmath for std::abs
4
5class Solution {
6public:
7 // Calculates the furthest distance from the origin, given a string of moves.
8 int furthestDistanceFromOrigin(std::string moves) {
9 // Helper lambda to count occurrences of a character in the moves string.
10 auto countCharacter = [&](char character) {
11 return std::count(moves.begin(), moves.end(), character);
12 };
13
14 // The net horizontal displacement is the difference between the counts
15 // of 'L' and 'R' moves since 'L' moves left and 'R' moves right.
16 // The '_' represents a pause or stay at the current position, so it adds
17 // no displacement but still counts towards the furthest distance reached.
18 // The std::abs function is used to ensure we get a non-negative distance.
19 return std::abs(countCharacter('L') - countCharacter('R')) + countCharacter('_');
20 }
21};
22
1function furthestDistanceFromOrigin(moves: string): number {
2 // Counts the occurrences of a character within the 'moves' string.
3 const countOccurrences = (character: string): number => {
4 return moves.split('').filter(x => x === character).length;
5 };
6
7 // Calculate the horizontal distance by finding the
8 // absolute difference between 'L' and 'R' occurrences.
9 const horizontalDistance: number = Math.abs(
10 countOccurrences('L') - countOccurrences('R')
11 );
12
13 // Vertical movement is not accounted for in the calculation,
14 // so an underscore represents an unknown move that doesn't
15 // change the horizontal distance.
16
17 const unknownMoves: number = countOccurrences('_'); // Counts the '_' occurrences.
18
19 // Return the furthest horizontal distance from the origin,
20 // considering the unknown moves as they could all be in one direction.
21 return horizontalDistance + unknownMoves;
22}
23
Time and Space Complexity
The time complexity of the code is O(n)
where n
is the length of the input string moves
. This is because the count
method on a string traverses the entire string once for each count operation to compute the number of occurrences of the given character. There are 3 count operations, each of which is O(n)
, but, since they are not nested, the overall time complexity remains O(n)
.
The space complexity of the code is O(1)
. The space used does not depend on the size of the input string because the number of variables used (moves
) is constant regardless of the length of the string. The count operations do not use any additional space that scales with the input size, as they simply return an integer value.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of these pictures shows the visit order of a depth-first search?
Recommended Readings
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!