C - Unary

Problem description

Unary is a minimalistic Brainfuck dialect in which programs are written using only one token.

Brainfuck programs use 8 commands: "+", "-", "[", "]", "<", ">", "." and "," (their meaning is not important for the purposes of this problem). Unary programs are created from Brainfuck programs using the following algorithm. First, replace each command with a corresponding binary code, using the following conversion table:

  • ">"  →  1000,
  • "<"  →  1001,
  • "+"  →  1010,
  • "-"  →  1011,
  • "."  →  1100,
  • ","  →  1101,
  • "["  →  1110,
  • "]"  →  1111.

Next, concatenate the resulting binary codes into one binary number in the same order as in the program. Finally, write this number using unary numeral system — this is the Unary program equivalent to the original Brainfuck one.

You are given a Brainfuck program. Your task is to calculate the size of the equivalent Unary program, and print it modulo 1000003 (106 + 3).

Input

The input will consist of a single line p which gives a Brainfuck program. String pwill contain between 1 and 100 characters, inclusive. Each character of p will be "+", "-", "[", "]", "<", ">", "." or ",".

Output

Output the size of the equivalent Unary program modulo 1000003 (106 + 3).

Examples

Input
,.
Output
220
Input
++++[>,.<-]
Output
61425

Note

To write a number n in unary numeral system, one simply has to write 1 n times. For example, 5 written in unary system will be 11111.

In the first example replacing Brainfuck commands with binary code will give us 1101 1100. After we concatenate the codes, we'll get 11011100 in binary system, or 220 in decimal. That's exactly the number of tokens in the equivalent Unary program.

解题思路:有8个字符,每个字符对应一个4位数的二进制码。将输入的字符串中每个字符转化成对应的二进制码后就得到一长串的二进制数,要求输出它的10进制值(注意模拟过程中要取模)。简单模拟一下二进制运算,水过。

AC代码:

 1 #include<bits/stdc++.h>
 2 using namespace std;
 3 typedef long long LL;
 4 const int mod = 1e6+3;
 5 int main(){
 6     map<char,string> mp;string obj="";char str[105];LL ans=0,base=1;
 7     mp['>']="1000";mp['<']="1001";//键值对
 8     mp['+']="1010";mp['-']="1011";
 9     mp['.']="1100";mp[',']="1101";
10     mp['[']="1110";mp[']']="1111";
11     cin>>str;
12     for(int i=0;str[i]!='\0';++i)obj+=mp[str[i]];//转化成对应的二进制码
13     for(int i=obj.size()-1;i>=0;--i){//简单模拟二进制运算
14         if(obj[i]=='1')ans=(ans+base)%mod;
15         base=2*base%mod;
16     }
17     cout<<ans<<endl;
18     return 0;
19 }

猜你喜欢

转载自www.cnblogs.com/acgoto/p/9141702.html
C