다항식 p(x) 를 1차 다항식 x - a 로 나눌 때의 몫과 나머지를 구하는 조립제법을
Python 언어로 구현해 보았다. 조립제법은 일명 Horner의 방법이라고도 불리우는데, 이는
x = a 에서 다항식 p(x)의 값 p(a)을 계산하는 가장 빠른 알고리즘이기도 하다.

         p(x) = (x - a)q(x) + r

여기서 r은 나머지이며 r = p(a) 이다. 또 q(x)는 몫이다.

[참고]
    * 온라인으로 조립제법 표 만들기 손으로 계산하는 조립제법 표 
    * 온라인으로 구하는 다항식의 도함수: 조립제법을 이용한 다항식의 도함수


아래의 소스파일은 Groovy용 소스파일 testSyntheticDivision.groovy 를 Python용으로 수정한 것이다.

python 대신 jython이나 IronPython 으로도 수정 없이 그대로 실행된다.


  1. #  Filename: testSyntheticDivision.py
  2. #
  3. #  Purpose:  Find the quotient and remainder when some polynomial is
  4. #            divided by a monic polynomial of the first degree.
  5. #
  6. #  Execute:  python testSyntheticDivision.py -2 1 3 3 1
  7. #        Or  jython testSyntheticDivision.py -2 1 3 3 1
  8. import sys
  9. # 사용법 표시
  10. def printUsage():
  11.     print("사용법: python testSyntheticDivision.py [수] [피제식의 계수들]")
  12.     print("조립제법(synthetic method)에 의한 다항식 나눗셈 결과를 보여준다.")
  13. # 부동소수점수의 표현이 .0 으로 끝나는 경우 이를 잘라낸다.
  14. # 전체 문자열 표시 너비는 매개변수 width 로 전달받아 처리한다.
  15. def simplify(v, width=None):
  16.     t = "%d" % v
  17.     tlen = len(t)
  18.     if t[tlen-2:tlen-1] == ".0":
  19.         t = t[0, -2]
  20.     if width != None:
  21.         if tlen < width:
  22.             t = "              "[0: width - tlen] + t
  23.     return t
  24. # 다항식을 내림차순의 스트링 표현으로 반환
  25. def toPolyString(c):
  26.     t = ""
  27.     sc0 = simplify(c[0])
  28.     if len(c) > 2:
  29.         if sc0 == "1":
  30.             t += "x^%d" % (len(c)-1)
  31.         elif sc0 == "-1":
  32.             t += "-x^%d" % (len(c)-1)
  33.         else:
  34.             t += sc0 + " x^%d" % (len(c)-1)
  35.     elif len(c) == 2:
  36.         if sc0 == "1":
  37.             t += "x"
  38.         elif sc0 == "-1":
  39.             t += "-x"
  40.         else:
  41.             t += sc0 + " x"
  42.     elif len(c) == 1:
  43.         t += sc0
  44.     for i in range(1, len(c)):
  45.         k = len(c) - 1 - i
  46.         sc = simplify(c[i])
  47.         if k > 1:
  48.             if c[i] > 0.0:
  49.                 if sc == "1":
  50.                     t += " + " + "x^%d" % k
  51.                 else:
  52.                     t += " + " + sc + " x^%d" % k
  53.             elif c[i] < 0.0:
  54.                 if sc == "-1":
  55.                     t += " - " + "x^%d" % k
  56.                 else:
  57.                     t += " - " + simplify(abs(c[i])) + " x^%d" % k
  58.         elif k == 1:
  59.             if c[i] > 0.0:
  60.                 if sc == "1":
  61.                     t += " + " + "x"
  62.                 else:
  63.                     t += " + " + sc + " x"
  64.             elif c[i] < 0.0:
  65.                 if sc == "-1":
  66.                     t += " - " + "x"
  67.                 else:
  68.                     t += " - " + simplify(abs(c[i])) + " x"
  69.         elif k == 0:
  70.             if c[i] > 0.0:
  71.                 t += " + " + sc
  72.             elif c[i] < 0.0:
  73.                 t += " - " + simplify(abs(c[i]))
  74.     return t
  75. # 다항식 나눗셈 결과를
  76. #     (피제식) = (제식)(몫) + (나머지)
  77. # 형태로 출력
  78. def printDivisionResult(a, c, b):
  79.     strLine = "  " + toPolyString(c)
  80.     print( strLine )
  81.     strLine = "    = ( " + toPolyString( [1.0, -a] ) + " )"
  82.     tmp = [0.0] * (len(b) - 1)
  83.     for i in range(0, len(tmp)):
  84.         tmp[i] = b[i]
  85.     strLine += "( " + toPolyString(tmp) + " )"
  86.     r = b[len(b) - 1]
  87.     if r > 0.0:
  88.         strLine += " + " + simplify(r)
  89.     elif r < 0.0:
  90.         strLine += " - " + simplify(abs(r))
  91.     print( strLine )
  92. # 조립제법 계산표 출력 함수
  93. def printSyntheticTable(a, c, s, q):
  94.     strLine = "       | "
  95.     strLine += simplify(c[0], 6)
  96.     for i in range(1, len(c)):
  97.         strLine += "  " + simplify(c[i], 6)
  98.     print( strLine )
  99.     strLine = simplify(a, 6) + " |"
  100.     strLine += "         "
  101.     strLine += simplify(s[1], 6)
  102.     for i in range(2, len(s)):
  103.         strLine += "  " + simplify(s[i], 6)
  104.     print( strLine )
  105.     strLine = "       |"
  106.     for i in range(0, len(q)):
  107.         strLine += "--------"
  108.     print( strLine )
  109.     strLine = "         "
  110.     strLine += simplify(q[0], 6)
  111.     for i in range(1, len(q)):
  112.         strLine += "  " + simplify(q[i], 6)
  113.     print( strLine )
  114. # 실행 시작 지점
  115. if len(sys.argv) < 3:
  116.     printUsage()
  117.     sys.exit(1)
  118. ######################################################
  119. # 피제식은 c_0 x^n +  c_1 x^(n -1) + ... + c_n
  120. # 제식은 x -  a
  121. a = float(sys.argv[1])
  122. c = [0.0]*(len(sys.argv) - 2)
  123. s = [0.0]*(len(sys.argv) - 2)
  124. b = [0.0]*(len(sys.argv) - 2)
  125. for i in range(0, len(c)):
  126.     c[i] = float(sys.argv[i + 2])
  127. ######################################################
  128. # 조립제법의 주요 부분
  129. s[0] = 0.0
  130. b[0] = c[0]
  131. for i in range(1, len(c)):
  132.     s[i] = b[i-1]*a
  133.     b[i] = c[i] + s[i]
  134. ######################################################
  135. # 몫의 계수와 나머지를 출력한다.
  136. print("몫의 계수는"),
  137. for i in range(0, len(b) - 2):
  138.     print(simplify(b[i], None) + ", " ),
  139. print(simplify(b[len(b) - 2], None)),
  140. print("이고, 나머지는 " + simplify(b[len(b) - 1], None) + " 이다.")
  141. print
  142. ######################################################
  143. # 조립제법 표를 출력한다.
  144. printSyntheticTable(a, c, s, b)
  145. print
  146. ######################################################
  147. # (피제식) = (제식) x (몫) + (나머지)
  148. printDivisionResult(a, c, b)




실행> python testSyntheticDivision.py 1 2 3 4 5
몫의 계수는 2, 5, 9 이고, 나머지는 14 이다.

       |      2       3       4       5
     1 |              2       5       9
       |---------------------------------
              2       5       9      14

  2 x^3 + 3 x^2 + 4 x + 5
    = ( x - 1 )( 2 x^2 + 5 x + 9 ) + 14



Posted by Scripter
,
다항식 p(x) 를 1차 다항식 x - a 로 나눌 때의 몫과 나머지를 구하는 조립제법을
Groovy 언어로 구현해 보았다. 조립제법은 일명 Horner의 방법이라고도 불리우는데, 이는
x = a 에서 다항식 p(x)의 값 p(a)을 계산하는 가장 빠른 알고리즘이기도 하다.

         p(x) = (x - a)q(x) + r

여기서 r은 나머지이며 r = p(a) 이다. 또 q(x)는 몫이다.

[참고]
    * 온라인으로 조립제법 표 만들기 손으로 계산하는 조립제법 표 
    * 온라인으로 구하는 다항식의 도함수: 조립제법을 이용한 다항식의 도함수



  1. /*
  2.  *  Filename: testSyntheticDivision.groovy
  3.  *
  4.  *  Purpose:  Find the quotient and remainder when some polynomial is
  5.  *            divided by a monic polynomial of the first degree.
  6.  *     이 소스는 자바 소스 TestSyntheticMethod.java 와 내용이 거의 같은
  7.  *    그루비 소스 TestSyntheticMethod.groovy 를 더욱 그루비 소스 코드 답게 수정한 것이다.
  8.  *
  9.  *  Execute: groovy testSyntheticDivision.groovy -2 1 3 3 1
  10.  *
  11.  */
  12. // 사용법 표시
  13. def printUsage() {
  14.      println("사용법: groovy testSyntheticDivision.groovy [수] [피제식의 계수들]")
  15.      println("조립제법(synthetic method)에 의한 다항식 나눗셈 결과를 보여준다.")
  16. }
  17. // 부동소수점수의 표현이 .0 으로 끝나는 경우 이를 잘라낸다.
  18. String simplify(double v) {
  19.     String t = "" + v
  20.     if (t.endsWith(".0"))
  21.         t = t[0..<(t.length() - 2)]
  22.     return t
  23. }
  24. // 부동소수점수의 표현이 .0 으로 끝나는 경우 이를 잘라낸다.
  25. // 전체 문자열 표시 너비는 매개변수 width 로 전달받아 처리한다.
  26. String simplify(double v, int width) {
  27.     String t = "" + v
  28.     if (t.endsWith(".0"))
  29.         t = t[0..<(t.length() - 2)]
  30.     int len = t.length()
  31.     if (len < width)
  32.         t = "               ".substring(0, width - len) + t
  33.     return t;
  34. }
  35. // 다항식을 내림차순의 스트링 표현으로 반환
  36. String toPolyString(double[] c) {
  37.     String t = ""
  38.     def sc0 = simplify(c[0])
  39.     if (c.length > 2) {
  40.         if (sc0 == "1")
  41.             t += "x^" + (c.length-1)
  42.         else if (sc0 == "-1")
  43.             t += "-x^" + (c.length-1)
  44.         else
  45.             t += sc0 + " x^" + (c.length-1)
  46.     }
  47.     else if (c.length == 2) {
  48.         if (sc0 == "1")
  49.             t += "x"
  50.         else if (sc0 == "-1")
  51.             t += "-x"
  52.         else
  53.             t += sc0 + " x"
  54.     }
  55.     else if (c.length == 1) {
  56.         t += sc0
  57.     }
  58.     for (i in 1..< c.length) {
  59.         def k = c.length - 1 - i
  60.         def sc = simplify(c[i])
  61.         if (k > 1) {
  62.             if (c[i] > 0.0) {
  63.                 if (sc == "1")
  64.                     t += " + " + "x^" + k
  65.                 else
  66.                     t += " + " + sc + " x^" + k
  67.             }
  68.             else if (c[i] < 0.0) {
  69.                 if (sc == "-1")
  70.                     t += " - " + "x^" + k
  71.                 else
  72.                     t += " - " + simplify(Math.abs(c[i])) + " x^" + k
  73.             }
  74.         }
  75.         else if (k == 1) {
  76.             if (c[i] > 0.0) {
  77.                 if (sc == "1")
  78.                     t += " + " + "x"
  79.                 else
  80.                     t += " + " + sc + " x"
  81.             }
  82.             else if (c[i] < 0.0) {
  83.                 if (sc == "-1")
  84.                     t += " - " + "x"
  85.                 else
  86.                     t += " - " + simplify(Math.abs(c[i])) + " x"
  87.             }
  88.         }
  89.         else if (k == 0) {
  90.             if (c[i] > 0.0) {
  91.                 t += " + " + sc
  92.             }
  93.             else if (c[i] < 0.0)
  94.                 t += " - " + simplify(Math.abs(c[i]))
  95.         }
  96.     }
  97.     return t
  98. }
  99. // 다항식 나눗셈 결과를
  100. //     (피제식) = (제식)(몫) + (나마지)
  101. // 형태로 출력
  102. def printDivisionResult(double a, double[] c, double[] b) {
  103.     print("  " + toPolyString(c))
  104.     println()
  105.     print("    = ( " + toPolyString( [1.0, -a] as double[] ) + " )")
  106.     double[] tmp = new double[b.length - 1]
  107.     for (i in 0..<tmp.length) {
  108.         tmp[i] = b[i]
  109.     }
  110.     print("( " + toPolyString(tmp) + " )")
  111.     double r = b[b.length - 1]
  112.     if (r > 0.0)
  113.         print(" + " + simplify(r))
  114.     else if (r < 0.0)
  115.         print(" - " + simplify(Math.abs(r)))
  116.     println()
  117. }
  118. // 조립제법 계산표 출력 함수
  119. def printSyntheticTable(double a, double[] c, double[] s, double[] q) {
  120.     print("       | ")
  121.     print(simplify(c[0], 6))
  122.     for (i in 1..< c.length) {
  123.         print("  " + simplify(c[i], 6))
  124.     }
  125.     println()
  126.     print(simplify(a, 6) + " | ")
  127.     print("        ")
  128.     print(simplify(s[1], 6))
  129.     for (i in 2..< s.length) {
  130.         print("  " + simplify(s[i], 6))
  131.     }
  132.     println()
  133.     print("       |-")
  134.     for (i in 0..< q.length) {
  135.         print("--------")
  136.     }
  137.     println()
  138.     print("         ")
  139.     print(simplify(q[0], 6))
  140.     for (i in 1..< q.length) {
  141.         print("  " + simplify(q[i], 6))
  142.     }
  143.     println()
  144. }
  145. // 실행 시작 지점
  146. if (args.length < 3) {
  147.     printUsage()
  148.     System.exit(1);
  149. }
  150. double a = Double.parseDouble(args[0])
  151. double[] c = new double[args.length - 1]
  152. double[] s = new double[c.length]
  153. double[] b = new double[c.length]
  154. for (i in 0..<c.length) {
  155.     c[i] = Double.parseDouble(args[i + 1])
  156. }
  157. s[0] = 0.0;
  158. b[0] = c[0];
  159. for (i in 1..<c.length) {
  160.     s[i] = b[i-1]*a
  161.  b[i] = c[i] + s[i]
  162. }
  163. print("몫의 계수는 ");
  164. for (i in 0..<(b.length - 2)) {
  165.     print(simplify(b[i]) + ", " )
  166. }
  167. print(simplify(b[b.length - 2]))
  168. println(" 이고, 나머지는 " + simplify(b[b.length - 1]) + " 이다.")
  169. println()
  170. printSyntheticTable(a, c, s, b)
  171. println()
  172. printDivisionResult(a, c, b)



groovy 명령으로 아래와 같이 실행하여 보았다.


실행> groovy testSyntheticDivision.groovy 1 2 3 4 5
몫의 계수는 2, 5, 9 이고, 나머지는 14 이다.

       |      2       3       4       5
     1 |              2       5       9
       |---------------------------------
              2       5       9      14

  2 x^3 + 3 x^2 + 4 x + 5
    = ( x - 1 )( 2 x^2 + 5 x + 9 ) + 14



Creative Commons License
이 저작물은 크리에이티브 커먼즈 코리아 저작자표시-비영리-변경금지 2.0 대한민국 라이센스에 따라 이용하실 수 있습니다.
Posted by Scripter
,


다항식 p(x) 를 1차 다항식 x - a 로 나눌 때의 몫과 나머지를 구하는 조립제법을
Groovy 언어로 구현해 보았다. 조립제법은 일명 Horner의 방법이라고도 불리우는데, 이는
x = a 에서 다항식 p(x)의 값 p(a)을 계산하는 가장 빠른 알고리즘이기도 하다.

         p(x) = (x - a)q(x) + r

여기서 r은 나머지이며 r = p(a) 이다. 또 q(x)는 몫이다.


  1. /*
  2.  *  Filename: TestSyntheticMethod.groovy
  3.  *
  4.  *  Purpose:  Find the quotient and remainder when some polynomial is
  5.  *                 divided by a monic polynomial of the first degree.
  6.  *     이 소스는 자바소스 TestSyntheticMethod.java 에서 배열 생성 부분
  7.  *     new double[] {1.0, -a} 을 [1.0, -a] as double[] 로 변경한 것만 다르다.
  8.  *
  9.  *  Execute: groovy TestSyntheticMethod.groovy -2 1 3 3 1
  10.  */
  11. import java.lang.Math;
  12. public class TestSyntheticMethod {
  13.     // 사용법 표시
  14.     public static void printUsage() {
  15.          System.out.println("사용법: java TestSyntheticMethod [수] [피제식의 계수들]");
  16.          System.out.println("조립제법(synthetic method)에 의한 다항식 나눗셈 결과를 보여준다.");
  17.     }
  18.     // 부동소수점수의 표현이 .0 으로 끝나는 경우 이를 잘라낸다.
  19.     public static String simplify(double v) {
  20.         String t = "" + v;
  21.         if (t.endsWith(".0"))
  22.             t = t.substring(0, t.length() - 2);
  23.         return t;
  24.     }
  25.     // 부동소수점수의 표현이 .0 으로 끝나는 경우 이를 잘라낸다.
  26.     // 전체 문자열 표시 너비는 매개변수 width 로 전달받아 처리한다.
  27.     public static String simplify(double v, int width) {
  28.         String t = "" + v;
  29.         if (t.endsWith(".0"))
  30.             t = t.substring(0, t.length() - 2);
  31.         int len = t.length();
  32.         if (len < width)
  33.             t = "               ".substring(0, width - len) + t;
  34.         return t;
  35.     }
  36.     // 다항식을 내림차순의 스트링 표현으로 반환
  37.     public static String toPolyString(double[] c) {
  38.         String t = "";
  39.         if (c.length > 2) {
  40.             if (simplify(c[0]).equals("1"))
  41.                 t += "x^" + (c.length-1);
  42.             else if (simplify(c[0]).equals("-1"))
  43.                 t += "-x^" + (c.length-1);
  44.             else
  45.                 t += simplify(c[0]) + " x^" + (c.length-1);
  46.         }
  47.         else if (c.length == 2) {
  48.             if (simplify(c[0]).equals("1"))
  49.                 t += "x";
  50.             else if (simplify(c[0]).equals("-1"))
  51.                 t += "-x";
  52.             else
  53.                 t += simplify(c[0]) + " x";
  54.         }
  55.         else if (c.length == 1) {
  56.             t += simplify(c[0]);
  57.         }
  58.         for (int i = 1; i < c.length; i++) {
  59.             if (c.length - 1 - i > 1) {
  60.                 if (c[i] > 0.0) {
  61.                     if (simplify(c[i]).equals("1"))
  62.                         t += " + " + "x^" + (c.length - 1 - i);
  63.                     else
  64.                         t += " + " + simplify(c[i]) + " x^" + (c.length - 1 - i);
  65.                 }
  66.                 else if (c[i] < 0.0) {
  67.                     if (simplify(c[i]).equals("-1"))
  68.                         t += " - " + "x^" + (c.length - 1 - i);
  69.                     else
  70.                         t += " - " + simplify(Math.abs(c[i])) + " x^" + (c.length - 1 - i);
  71.                 }
  72.             }
  73.             else if (c.length - 1 - i == 1) {
  74.                 if (c[i] > 0.0) {
  75.                     if (simplify(c[i]).equals("1"))
  76.                         t += " + " + "x";
  77.                     else
  78.                         t += " + " + simplify(c[i]) + " x";
  79.             }
  80.             else if (c[i] < 0.0) {
  81.                 if (simplify(c[i]).equals("-1"))
  82.                     t += " - " + "x";
  83.                 else
  84.                     t += " - " + simplify(Math.abs(c[i])) + " x";
  85.             }
  86.         }
  87.         else if (c.length - 1 - i == 0) {
  88.             if (c[i] > 0.0) {
  89.                 t += " + " + simplify(c[i]);
  90.             }
  91.             else if (c[i] < 0.0)
  92.                 t += " - " + simplify(Math.abs(c[i]));
  93.             }
  94.         }
  95.         return t;
  96.     }
  97.     // 다항식 나눗셈 결과를
  98.     //     (피제식) = (제식)(몫) + (나마지)
  99.     // 형태로 출력
  100.     public static void printDivisionResult(double a, double[] c, double[] b) {
  101.         System.out.print("  " + toPolyString(c));
  102.         System.out.println();
  103.         System.out.print("    = ( " + toPolyString( [1.0, -a] as double[] ) + " )");
  104.         double[] tmp = new double[b.length - 1];
  105.         for (int i = 0; i < tmp.length; i++) {
  106.             tmp[i] = b[i];
  107.         }
  108.         System.out.print("( " + toPolyString(tmp) + " )");
  109.         double r = b[b.length - 1];
  110.         if (r > 0.0)
  111.             System.out.print(" + " + simplify(r));
  112.         else if (r < 0.0)
  113.             System.out.print(" - " + simplify(Math.abs(r)));
  114.         System.out.println();
  115.     }
  116.     // 조립제법 계산표 출력 메소드
  117.     public static void printSyntheticTable(double a, double[] c, double[] s, double[] q) {
  118.         System.out.print("       | ");
  119.         System.out.print(simplify(c[0], 6));
  120.         for (int i = 1; i < c.length; i++) {
  121.             System.out.print("  " + simplify(c[i], 6));
  122.         }
  123.         System.out.println();
  124.         System.out.print(simplify(a, 6) + " | ");
  125.         System.out.print("        ");
  126.         System.out.print(simplify(s[1], 6));
  127.         for (int i = 2; i < s.length; i++) {
  128.             System.out.print("  " + simplify(s[i], 6));
  129.         }
  130.         System.out.println();
  131.         System.out.print("       |-");
  132.         for (int i = 0; i < q.length; i++) {
  133.             System.out.print("--------");
  134.         }
  135.         System.out.println("");
  136.         System.out.print("         ");
  137.         System.out.print(simplify(q[0], 6));
  138.         for (int i = 1; i < q.length; i++) {
  139.             System.out.print("  " + simplify(q[i], 6));
  140.         }
  141.         System.out.println();
  142.     }
  143.     // Java 애플리케이션의 실행 시작 시점 main 메소드
  144.     // (C 언어의 main 함수에 해당)
  145.     public static void main(String[] args) {
  146.         if (args.length < 3) {
  147.             printUsage();
  148.             System.exit(1);
  149.         }
  150.         //////////////////////////////////////////////////////
  151.         // 피제식은 c_0 x^n +  c_1 x^(n -1) + ... + c_n
  152.         // 제식은 x -  a
  153.         double a = Double.parseDouble(args[0]);
  154.         double[] c = new double[args.length - 1];
  155.         double[] s = new double[c.length];
  156.         double[] b = new double[c.length];
  157.         for (int i = 0; i < c.length; i++) {
  158.             c[i] = Double.parseDouble(args[i + 1]);
  159.         }
  160.         //////////////////////////////////////////////////////
  161.         // 조립제법의 주요 부분
  162.         s[0] = 0.0;
  163.         b[0] = c[0];
  164.         for (int i = 1; i < c.length; i++) {
  165.            s[i] = b[i-1]*a;
  166.             b[i] = c[i] + s[i];
  167.         }
  168.         //////////////////////////////////////////////////////
  169.         // 몫의 계수와 나머지를 출력한다.
  170.         System.out.print("몫의 계수는 ");
  171.         for (int i = 0; i < b.length - 2; i++) {
  172.             System.out.print(simplify(b[i]) + ", " );
  173.         }
  174.         System.out.print(simplify(b[b.length - 2]));
  175.         System.out.println(" 이고, 나머지는 " + simplify(b[b.length - 1]) + " 이다.");
  176.         System.out.println();
  177.         //////////////////////////////////////////////////////
  178.         // 조립제법 표를 출력한다.
  179.         printSyntheticTable(a, c, s, b);
  180.         System.out.println();
  181.         //////////////////////////////////////////////////////
  182.         // (피제식) = (제식) x (몫) + (나머지)
  183.         printDivisionResult(a, c, b);
  184.     }
  185. }



Groovy 언어로 작성된 소스파일은 groovyc 명형으로 컴파일한 후 , 컴파일된 .class 파일을 java 명령으로 실행해도 되지만, groovy 명령을 사용하여 (아래에서 처험) 컴파일 과정 없이 직접 소스파일을 실행시킬 수 있다.


실행> groovy TestSyntheticMethod.groovy 1 2 3 4 5


몫의 계수는 2, 5, 9 이고, 나머지는 14 이다.

       |      2       3       4       5
     1 |              2       5       9
       |---------------------------------
              2       5       9      14

  2 x^3 + 3 x^2 + 4 x + 5
    = ( x - 1 )( 2 x^2 + 5 x + 9 ) + 14


Creative Commons License
이 저작물은 크리에이티브 커먼즈 코리아 저작자표시-비영리-변경금지 2.0 대한민국 라이센스에 따라 이용하실 수 있습니다.
Posted by Scripter
,