Not a member of Pastebin yet?
Sign Up,
it unlocks many cool features!
- 03. Treasure Finder
- Write a program that decrypts a message by a given key and gathers information about hidden treasure type and its coordinates. On the first line you will receive a key (sequence of numbers). On the next few lines until you receive "find" you will get lines of strings. You have to loop through every string and decrease the ascii code of each character with a corresponding number of the key sequence. The way you choose a key number from the sequence is just looping through it. If the length of the key sequence is less than the string sequence, you start looping from the beginning of the key. For more clarification see the example below. After decrypting the message you will get a type of treasure and its coordinates. The type will be between the symbol '&' and the coordinates will be between the symbols '<' and '>'. For each line print the type and the coordinates in format "Found {type} at {coordinates}".
- Example
- Input Output Comment
- 1 2 1 3 Found gold at 10N70W We start looping through the first string and the key. When we reach
- ikegfp'jpne)bv=41P83X@ Found Silver at 32S43W the end of the key we start looping from the beginning of the key,
- ujfufKt)Tkmyft'duEprsfjqbvfv=53V55XA but we continue looping through the string. (until the string is over)
- find The first message is: "hidden&gold&at<10N70W>" so we print we found
- gold at the given coordinates. We do the same for the second string
- "thereIs&Silver&atCoordinates<32S43W>"(starting from the beginning of
- the key and the beginning of the string).
- using System;
- public class Program
- {
- public static void Main(string[] args)
- {
- var key = Console.ReadLine().Split();
- var decryptsMessage = "";
- while ((decryptsMessage = Console.ReadLine()) != "find")
- {
- var message = "";
- var index = 0;
- foreach (var item in decryptsMessage)
- {
- var decryptsSymbol = (char)(item - int.Parse(key[index]));
- message += decryptsSymbol;
- index++;
- if (index == key.Length)
- {
- index = 0;
- }
- }
- var startIndexTreasure = message.IndexOf('&'); //IndexOfAny(...) може да се замени с LastIndexOf('&')
- var findNextIndexTreasure = message.IndexOfAny(message[startIndexTreasure].ToString().ToCharArray(), startIndexTreasure + 1);
- var treasureType = message.Substring(startIndexTreasure + 1, findNextIndexTreasure - startIndexTreasure - 1);
- var startIndex = message.IndexOf('<');
- var endIndex = message.IndexOf('>');
- var coordinates = message.Substring(startIndex + 1, endIndex - startIndex - 1);
- Console.WriteLine($"Found {treasureType} at {coordinates}");
- }
- }
- }
Advertisement
Add Comment
Please, Sign In to add comment