B. Unary

time limit per test
2 seconds
memory limit per test
256 megabytes
input
standard input
output
standard output

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 modulo1000003 (106 + 3).

Input

The input will consist of a single line p which gives a Brainfuck program. String p will 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).

Sample test(s)
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-15相对应。所以我们只需要记住某个符号在这个符合表中的位置加上8即可。两个符号连续出现,前一个符号所代表的值要乘以16,再求和。


#include <iostream>
#include <cstdio>
#include <cstdlib>
#include <cmath>
#include <cstring>
#include <string>
#include <algorithm>
using namespace std;

char s[110];
char c[]="><+-.,[]";

int main()
{   
	int i,j,a=0;
    scanf("%s",s);
    for(i=0;s[i]!='\0';i++)
	{
		for(j=0;c[j]!=s[i];j++);
		{
			a=(a*16+8+j)%1000003;
		}
	}
    printf("%d\n",a);
	return 0;
}


你可能感兴趣的:(B. Unary)