Skip to content
geeksforgeeks
  • Tutorials
    • Python
    • Java
    • Data Structures & Algorithms
    • ML & Data Science
    • Interview Corner
    • Programming Languages
    • Web Development
    • CS Subjects
    • DevOps And Linux
    • School Learning
    • Practice Coding Problems
  • Courses
    • DSA to Development
    • Get IBM Certification
    • Newly Launched!
      • Master Django Framework
      • Become AWS Certified
    • For Working Professionals
      • Interview 101: DSA & System Design
      • Data Science Training Program
      • JAVA Backend Development (Live)
      • DevOps Engineering (LIVE)
      • Data Structures & Algorithms in Python
    • For Students
      • Placement Preparation Course
      • Data Science (Live)
      • Data Structure & Algorithm-Self Paced (C++/JAVA)
      • Master Competitive Programming (Live)
      • Full Stack Development with React & Node JS (Live)
    • Full Stack Development
    • Data Science Program
    • All Courses
  • DSA
  • Interview Questions on Array
  • Practice Array
  • MCQs on Array
  • Tutorial on Array
  • Types of Arrays
  • Array Operations
  • Subarrays, Subsequences, Subsets
  • Reverse Array
  • Static Vs Arrays
  • Array Vs Linked List
  • Array | Range Queries
  • Advantages & Disadvantages
Open In App
Next Article:
Replace all ‘0’ with ‘5’ in an input Integer
Next article icon

Replace all ‘0’ with ‘5’ in an input Integer

Last Updated : 25 Apr, 2023
Comments
Improve
Suggest changes
Like Article
Like
Report
Try it on GfG Practice
redirect icon

Given an integer as input and replace all the ‘0’ with ‘5’ in the integer. 

Examples: 

Input: 102  Output: 152 Explanation: All the digits which are '0' is replaced by '5'   Input: 1020  Output: 1525 Explanation: All the digits which are '0' is replaced by '5'

The use of an array to store all digits is not allowed.

Recommended Practice
Replace all 0's with 5
Try It!

Iterative Approach-1: By observing the test cases it is evident that all the 0 digits are replaced by 5. For Example, for input = 1020, output = 1525. The idea is simple, we assign a variable 'temp' to 0, we get the last digit using mod operator '%'. If the digit is 0, we replace it with 5, otherwise, keep it as it is. Then we multiply the 'temp' with 10 and add the digit got by mod operation. After that, we divide the original number by 10 to get the other digits. In this way, we will have a number in which all the '0's are assigned with '5's. If we reverse this number, we will get the desired answer.

Algorithm:

  • if the number is 0, directly return 5.
  • else do the steps below.
  • Create a variable temp= 0 to store the reversed number having all '0's assigned to '5's.
  • Find the last digit using the mod operator '%'. If the digit is '0', then make the last digit '5'.
  • Multiply temp with 10 and add the last digit.
  • Divide the number by 10 to get more digits by mod operation.
  • Then reverse this number.
  • return the reversed number.

Implementation:

C++
// C++ program to replace all ‘0’ // with ‘5’ in an input Integer #include <iostream> using namespace std;  // A iterative function to reverse a number int reverseTheNumber(int temp) {     int ans = 0;     while (temp > 0) {         int rem = temp % 10;         ans = ans * 10 + rem;         temp = temp / 10;     }     return ans; }  int convert0To5(int num) {     // if num is 0 return 5     if (num == 0)         return 5;      // Extract the last digit and     // change it if needed     else {         int temp = 0;          while (num > 0) {             int digit = num % 10;             //if digit is 0, make it 5             if (digit == 0)                 digit = 5;              temp = temp * 10 + digit;             num = num / 10;         }         // call the function reverseTheNumber by passing         // temp         return reverseTheNumber(temp);     } }  // Driver code int main() {     int num = 10120;     cout << convert0To5(num);     return 0; }  // This code is contributed by Vrashank Rao M. 
Java
// Java program for the above approach import java.io.*;  class GFG {  // A iterative function to reverse a number static int reverseTheNumber(int temp) {     int ans = 0;     while (temp > 0) {         int rem = temp % 10;         ans = ans * 10 + rem;         temp = temp / 10;     }     return ans; }  static int convert0To5(int num) {     // if num is 0 return 5     if (num == 0)         return 5;      // Extract the last digit and     // change it if needed     else {         int temp = 0;          while (num > 0) {             int digit = num % 10;                        //if digit is 0, make it 5             if (digit == 0)                 digit = 5;              temp = temp * 10 + digit;             num = num / 10;         }                // call the function reverseTheNumber by passing         // temp         return reverseTheNumber(temp);     } }      // Driver program     public static void main(String args[])     {         int num = 10120;         System.out.println(convert0To5(num));     } }  // This code is contributed by sanjoy_62. 
Python3
# Python program for the above approach  # A iterative function to reverse a number def reverseTheNumber(temp):     ans = 0;     while (temp > 0):         rem = temp % 10;         ans = ans * 10 + rem;         temp = temp // 10;          return ans;  def convert0To5(num):     # if num is 0 return 5     if (num == 0):         return 5;      # Extract the last digit and     # change it if needed     else:         temp = 0;          while (num > 0):             digit = num % 10;              # if digit is 0, make it 5             if (digit == 0):                 digit = 5;              temp = temp * 10 + digit;             num = num // 10;                  # call the function reverseTheNumber by passing         # temp         return reverseTheNumber(temp);  # Driver program if __name__ == '__main__':     num = 10120;     print(convert0To5(num));  # This code is contributed by umadevi9616 
C#
// C# program for the above approach using System; public class GFG {  // A iterative function to reverse a number static int reverseTheNumber(int temp) {     int ans = 0;     while (temp > 0) {         int rem = temp % 10;         ans = ans * 10 + rem;         temp = temp / 10;     }     return ans; }  static int convert0To5(int num) {     // if num is 0 return 5     if (num == 0)         return 5;      // Extract the last digit and     // change it if needed     else {         int temp = 0;          while (num > 0) {             int digit = num % 10;             //if digit is 0, make it 5             if (digit == 0)                 digit = 5;              temp = temp * 10 + digit;             num = num / 10;         }                // call the function reverseTheNumber by passing         // temp         return reverseTheNumber(temp);     } }      // Driver Code     public static void Main (string[] args) {         int num = 10120;         Console.Write(convert0To5(num));      } }  // This code is contributed by splevel62. 
JavaScript
<script> // javascript program for the above approach      // A iterative function to reverse a number     function reverseTheNumber(temp) {         var ans = 0;         while (temp > 0) {             var rem = temp % 10;             ans = ans * 10 + rem;             temp = parseInt(temp / 10);         }         return ans;     }      function convert0To5(num)     {              // if num is 0 return 5         if (num == 0)             return 5;          // Extract the last digit and         // change it if needed         else {             var temp = 0;              while (num > 0) {                 var digit = num % 10;                  // if digit is 0, make it 5                 if (digit == 0)                     digit = 5;                  temp = temp * 10 + digit;                 num = parseInt(num / 10);             }              // call the function reverseTheNumber by passing             // temp             return reverseTheNumber(temp);         }     }      // Driver program         var num = 10120;         document.write(convert0To5(num));  // This code is contributed by umadevi9616  </script> 

Output
15125

Complexity Analysis:

  • Time Complexity: O(n), where n is number of digits in the number.
  • Auxiliary Space: O(1), no extra space is required.

 Iterative Approach-2: By observing the test cases it is evident that all the 0 digits are replaced by 5. For Example, for input = 1020, output = 1525, which can be written as 1020 + 505, which can be further written as 1020 + 5*(10^2) + 5*(10^0). So the solution can be formed in an iterative way where if a '0' digit is encountered find the place value of that digit and multiply it with 5 and find the sum for all 0's in the number. Add that sum to the input number to find the output number.

Algorithm: 

  • Create a variable sum = 0 to store the sum, place = 1 to store the place value of the current digit, and create a copy of the input variable
  • If the number is zero return 5
  • Iterate the next step while the input variable is greater than 0
  • Extract the last digit (n%10) and if the digit is zero, then update sum = sum + place*5, remove the last digit from the number n = n/10 and update place = place * 10
  • Return the sum.

Implementation:

C++
#include<bits/stdc++.h> using namespace std;  // Returns the number to be added to the // input to replace all zeroes with five int calculateAddedValue(int number) {          // Amount to be added     int result = 0;      // Unit decimal place     int decimalPlace = 1;          if (number == 0)      {         result += (5 * decimalPlace);     }      while (number > 0)     {         if (number % 10 == 0)         {                          // A number divisible by 10, then             // this is a zero occurrence in              // the input             result += (5 * decimalPlace);          }                  // Move one decimal place         number /= 10;         decimalPlace *= 10;     }     return result; }  int replace0with5(int number) {     return number += calculateAddedValue(number); }  // Driver code int main() {     cout << replace0with5(1020); }  // This code is contributed by avanitrachhadiya2155 
Java
import java.io.*; public class ReplaceDigits {     static int replace0with5(int number)     {         return number += calculateAddedValue(number);     }      // returns the number to be added to the     // input to replace all zeroes with five     private static int calculateAddedValue(int number)     {          // amount to be added         int result = 0;          // unit decimal place         int decimalPlace = 1;          if (number == 0) {             result += (5 * decimalPlace);         }          while (number > 0) {             if (number % 10 == 0)                 // a number divisible by 10, then                 // this is a zero occurrence in the input                 result += (5 * decimalPlace);              // move one decimal place             number /= 10;             decimalPlace *= 10;         }         return result;     }      public static void main(String[] args)     {         System.out.print(replace0with5(1020));     } } 
Python3
def replace0with5(number):     number += calculateAddedValue(number)     return number      # returns the number to be added to the # input to replace all zeroes with five def calculateAddedValue(number):          # amount to be added     result = 0          # unit decimal place     decimalPlace = 1      if (number == 0):         result += (5 * decimalPlace)              while (number > 0):         if (number % 10 == 0):                          # a number divisible by 10, then             # this is a zero occurrence in the input             result += (5 * decimalPlace)                      # move one decimal place         number //= 10         decimalPlace *= 10          return result      # Driver code print(replace0with5(1020))      # This code is contributed by shubhmasingh10 
C#
using System;  class GFG{      static int replace0with5(int number) {     return number += calculateAddedValue(number); }  // Returns the number to be added to the // input to replace all zeroes with five static int calculateAddedValue(int number) {          // Amount to be added     int result = 0;      // Unit decimal place     int decimalPlace = 1;      if (number == 0)      {         result += (5 * decimalPlace);     }      while (number > 0)     {         if (number % 10 == 0)                      // A number divisible by 10, then             // this is a zero occurrence in the input             result += (5 * decimalPlace);          // Move one decimal place         number /= 10;         decimalPlace *= 10;     }     return result; }  // Driver Code static public void Main() {     Console.WriteLine(replace0with5(1020)); } }  // This code is contributed by rag2127 
JavaScript
<script>  // Returns the number to be added to the // input to replace all zeroes with five function calculateAddedValue(number){     // Amount to be added     let result = 0;     // Unit decimal place     let decimalPlace = 1;          if (number == 0) {         result += (5 * decimalPlace);     }      while (number > 0){         if (number % 10 == 0){             // A number divisible by 10, then             // this is a zero occurrence in              // the input             result += (5 * decimalPlace);         }         // Move one decimal place         number = Math.floor(number/10);         decimalPlace *= 10;     }     return result; }  function replace0with5(number){     return number += calculateAddedValue(number); }  // Driver code document.write(replace0with5(1020));  </script> 

Output
1525

Complexity Analysis:

  • Time Complexity: O(k), the loops run only k times, where k is the number of digits of the number.
  • Auxiliary Space: O(1), no extra space is required.

Recursive Approach: The idea is simple, we get the last digit using the mod operator '%'. If the digit is 0, we replace it with 5, otherwise, keep it as it is. Then we recur for the remaining digits. The approach remains the same, the basic difference is the loop is replaced by a recursive function.

Algorithm: 

  • Check a base case when the number is 0 return 5, and for all other cases, form a recursive function.
  • The function (solve(int n))can be defined as follows, if the number passed is 0 then return 0, else extract the last digit i.e. n = n/10 and remove the last digit. If the last digit is zero assigns 5 to it.
  • Now return the value by calling the recursive function for n, i.e return solve(n)*10 + digit.
  • Print the answer.

Implementation:

C++
// C++ program to replace all ‘0’ // with ‘5’ in an input Integer #include <bits/stdc++.h> using namespace std;  // A recursive function to replace all 0s // with 5s in an input number It doesn't // work if input number itself is 0. int convert0To5Rec(int num) {     // Base case for recursion termination     if (num == 0)         return 0;      // Extract the last digit and     // change it if needed     int digit = num % 10;     if (digit == 0)         digit = 5;      // Convert remaining digits and     // append the last digit     return convert0To5Rec(num / 10) * 10 + digit; }  // It handles 0 and calls convert0To5Rec() // for other numbers int convert0To5(int num) {     if (num == 0)         return 5;     else         return convert0To5Rec(num); }  // Driver code int main() {     int num = 10120;     cout << convert0To5(num);     return 0; }  // This code is contributed by Code_Mech. 
C
// C program to replace all ‘0’ // with ‘5’ in an input Integer #include <stdio.h>  // A recursive function to replace // all 0s with 5s in an input number // It doesn't work if input number itself is 0. int convert0To5Rec(int num) {     // Base case for recursion termination     if (num == 0)         return 0;      // Extract the last digit and change it if needed     int digit = num % 10;     if (digit == 0)         digit = 5;      // Convert remaining digits     // and append the last digit     return convert0To5Rec(num / 10) * 10 + digit; }  // It handles 0 and calls // convert0To5Rec() for other numbers int convert0To5(int num) {     if (num == 0)         return 5;     else         return convert0To5Rec(num); }  // Driver program to test above function int main() {     int num = 10120;     printf("%d", convert0To5(num));     return 0; } 
Java
import java.io.*; // Java code for Replace all 0 with // 5 in an input Integer public class GFG {      // A recursive function to replace all 0s with 5s in     // an input number. It doesn't work if input number     // itself is 0.     static int convert0To5Rec(int num)     {         // Base case         if (num == 0)             return 0;          // Extract the last digit and change it if needed         int digit = num % 10;         if (digit == 0)             digit = 5;          // Convert remaining digits and append the         // last digit         return convert0To5Rec(num / 10) * 10 + digit;     }      // It handles 0 and calls convert0To5Rec() for     // other numbers     static int convert0To5(int num)     {         if (num == 0)             return 5;         else             return convert0To5Rec(num);     }      // Driver function     public static void main(String[] args)     {         System.out.println(convert0To5(10120));     } }  // This code is contributed by Kamal Rawal 
Python3
# Python program to replace all # 0 with 5 in given integer  # A recursive function to replace all 0s  # with 5s in an integer # Does'nt work if the given number is 0 itself def convert0to5rec(num):      # Base case for recursion termination     if num == 0:         return 0      # Extract the last digit and change it if needed     digit = num % 10      if digit == 0:         digit = 5      # Convert remaining digits and append the last digit     return convert0to5rec(num // 10) * 10 + digit  # It handles 0 to 5 calls convert0to5rec() # for other numbers def convert0to5(num):     if num == 0:         return 5     else:         return convert0to5rec(num)   # Driver Program num = 10120 print (convert0to5(num))  # Contributed by Harshit Agrawal 
C#
// C# code for Replace all 0 // with 5 in an input Integer using System;  class GFG {      // A recursive function to replace     // all 0s with 5s in an input number.     // It doesn't work if input number     // itself is 0.     static int convert0To5Rec(int num)     {         // Base case         if (num == 0)             return 0;          // Extract the last digit and         // change it if needed         int digit = num % 10;         if (digit == 0)             digit = 5;          // Convert remaining digits         // and append the last digit         return convert0To5Rec(num / 10) * 10 + digit;     }      // It handles 0 and calls     // convert0To5Rec() for other numbers     static int convert0To5(int num)     {         if (num == 0)             return 5;         else             return convert0To5Rec(num);     }      // Driver Code     static public void Main()     {         Console.Write(convert0To5(10120));     } }  // This code is contributed by Raj 
PHP
<?php // PHP program to replace all 0 with 5  // in given integer  // A recursive function to replace all 0s  // with 5s in an integer. Does'nt work if  // the given number is 0 itself function convert0to5rec($num) {      // Base case for recursion termination     if ($num == 0)         return 0;      // Extract the last digit and      // change it if needed     $digit = ($num % 10);      if ($digit == 0)         $digit = 5;      // Convert remaining digits and append     // the last digit     return convert0to5rec((int)($num / 10)) *                                  10 + $digit; }  // It handles 0 to 5 calls convert0to5rec()  // for other numbers function convert0to5($num) {     if ($num == 0)         return 5;     else         return convert0to5rec($num); }   // Driver Code $num = 10120; print(convert0to5($num));  // This code is contributed by mits ?> 
JavaScript
<script> // javascript code for Replace all 0 with // 5 in an input Integer     // A recursive function to replace all 0s with 5s in     // an input number. It doesn't work if input number     // itself is 0.     function convert0To5Rec(num) {         // Base case         if (num == 0)             return 0;          // Extract the last digit and change it if needed         var digit = num % 10;         if (digit == 0)             digit = 5;          // Convert remaining digits and append the         // last digit         return convert0To5Rec(parseInt(num / 10)) * 10 + digit;     }      // It handles 0 and calls convert0To5Rec() for     // other numbers     function convert0To5(num) {         if (num == 0)             return 5;         else             return convert0To5Rec(num);     }      // Driver function              document.write(convert0To5(10120));  // This code contributed by gauravrajput1  </script> 

Output
15125

Complexity Analysis: 

  • Time Complexity: O(k), the recursive function is called only k times, where k is the number of digits of the number
  • Auxiliary Space: O(1), no extra space is required.

Approach (Using builtin function replace())

C++
#include <bits/stdc++.h> using namespace std;  string change(int n) {   string temp = to_string(n) + "";   replace(temp.begin(), temp.end(), '0', '5');   return temp; }  int main() {    int num = 10120;   cout << (change(num));   return 0; }  // This code is contributed by akashish__ 
Java
/*package whatever //do not write package name here */  import java.io.*;  class GFG {      static String change(int n){         String temp  = n + "";         return temp.replace('0','5');   }        public static void main (String[] args) {       int num = 10120;         System.out.println(change(num));     } }  // This code is contributed by aadityaburujwale. 
Python3
# Python program for the above approach  # Function to replace all 0s with 5s def change(num):     s = str(num)     s = s.replace('0', '5')     return s  # Driver code if __name__ == '__main__':     num = 10120     print(change(num)) 
C#
using System; public class GFG {    static String change(int n)   {     String temp = n + "";     return temp.Replace('0', '5');   }   static public void Main()   {      // Code     int num = 10120;     Console.WriteLine(change(num));   } }  // This code is contributed by karandeep1234 
JavaScript
function change(n) {   let temp = n.toString();   temp = temp.replaceAll('0', '5');   return temp; }  let num = 10120; console.log((change(num)));  // This code is contributed by akashish__ 

Output
15125

Time Complexity: O(log(num)), where num is the number of digits in num variable.

Auxiliary Space: O(num)


Next Article
Replace all ‘0’ with ‘5’ in an input Integer

K

kartik
Improve
Article Tags :
  • Mathematical
  • DSA
  • Arrays
  • Amazon
  • number-digits
Practice Tags :
  • Amazon
  • Arrays
  • Mathematical

Similar Reads

    Change all even bits in a number to 0
    Given a number, change all bits at even positions to 0. Examples: Input : 30 Output : 10 Binary representation of 11110. Bits at Even positions are highlighted. After making all of them 0, we get 01010 Input : 10 Output : 10Recommended PracticeChange all even bits in a number to 0Try It! Method 1 (B
    6 min read
    Program for replacing one digit with other
    Given a number x and two digits d1 and d2, replace d1 with d2 in x.Examples: Input : x = 645, d1 = 6, d2 = 5 Output : 545 We replace digit 6 with 5 in number 645. Input : x = 746, d1 = 7, d2 = 8 Output : 846 We traverse through all digits of x. For every digit, we check if it is d1, we update result
    8 min read
    Minimum possible number with the given operation
    Given a positive integer N, the task is to convert this integer to the minimum possible integer without leading zeroes by changing the digits. A digit X can only be changed into a digit Y if X + Y = 9.Examples: Input: N = 589 Output: 410 Change 5 -> 4, 8 -> 1 and 9 -> 0Input: N = 934 Output
    4 min read
    How to convert 0 into string in Perl?
    First off, in most cases, it doesn’t matter. Perl is usually smart enough to figure out if something’s a string or a number from context. If you have a scalar value that contains a number, you can use it interchangeably as a string or a number based on what operators you use (this is why Perl has di
    1 min read
    Remove leading zeros from a Number given as a string
    Given numeric string str, the task is to remove all the leading zeros from a given string. If the string contains only zeros, then print a single "0". Examples: Input: str = "0001234" Output: 1234 Explanation: Removal of leading substring "000" modifies the string to "1234". Hence, the final answer
    7 min read
geeksforgeeks-footer-logo
Corporate & Communications Address:
A-143, 7th Floor, Sovereign Corporate Tower, Sector- 136, Noida, Uttar Pradesh (201305)
Registered Address:
K 061, Tower K, Gulshan Vivante Apartment, Sector 137, Noida, Gautam Buddh Nagar, Uttar Pradesh, 201305
GFG App on Play Store GFG App on App Store
Advertise with us
  • Company
  • About Us
  • Legal
  • Privacy Policy
  • In Media
  • Contact Us
  • Advertise with us
  • GFG Corporate Solution
  • Placement Training Program
  • Languages
  • Python
  • Java
  • C++
  • PHP
  • GoLang
  • SQL
  • R Language
  • Android Tutorial
  • Tutorials Archive
  • DSA
  • Data Structures
  • Algorithms
  • DSA for Beginners
  • Basic DSA Problems
  • DSA Roadmap
  • Top 100 DSA Interview Problems
  • DSA Roadmap by Sandeep Jain
  • All Cheat Sheets
  • Data Science & ML
  • Data Science With Python
  • Data Science For Beginner
  • Machine Learning
  • ML Maths
  • Data Visualisation
  • Pandas
  • NumPy
  • NLP
  • Deep Learning
  • Web Technologies
  • HTML
  • CSS
  • JavaScript
  • TypeScript
  • ReactJS
  • NextJS
  • Bootstrap
  • Web Design
  • Python Tutorial
  • Python Programming Examples
  • Python Projects
  • Python Tkinter
  • Python Web Scraping
  • OpenCV Tutorial
  • Python Interview Question
  • Django
  • Computer Science
  • Operating Systems
  • Computer Network
  • Database Management System
  • Software Engineering
  • Digital Logic Design
  • Engineering Maths
  • Software Development
  • Software Testing
  • DevOps
  • Git
  • Linux
  • AWS
  • Docker
  • Kubernetes
  • Azure
  • GCP
  • DevOps Roadmap
  • System Design
  • High Level Design
  • Low Level Design
  • UML Diagrams
  • Interview Guide
  • Design Patterns
  • OOAD
  • System Design Bootcamp
  • Interview Questions
  • Inteview Preparation
  • Competitive Programming
  • Top DS or Algo for CP
  • Company-Wise Recruitment Process
  • Company-Wise Preparation
  • Aptitude Preparation
  • Puzzles
  • School Subjects
  • Mathematics
  • Physics
  • Chemistry
  • Biology
  • Social Science
  • English Grammar
  • Commerce
  • World GK
  • GeeksforGeeks Videos
  • DSA
  • Python
  • Java
  • C++
  • Web Development
  • Data Science
  • CS Subjects
@GeeksforGeeks, Sanchhaya Education Private Limited, All rights reserved
We use cookies to ensure you have the best browsing experience on our website. By using our site, you acknowledge that you have read and understood our Cookie Policy & Privacy Policy
Lightbox
Improvement
Suggest Changes
Help us improve. Share your suggestions to enhance the article. Contribute your expertise and make a difference in the GeeksforGeeks portal.
geeksforgeeks-suggest-icon
Create Improvement
Enhance the article with your expertise. Contribute to the GeeksforGeeks community and help create better learning resources for all.
geeksforgeeks-improvement-icon
Suggest Changes
min 4 words, max Words Limit:1000

Thank You!

Your suggestions are valuable to us.

What kind of Experience do you want to share?

Interview Experiences
Admission Experiences
Career Journeys
Work Experiences
Campus Experiences
Competitive Exam Experiences