Skip to main content

C++ of the Day #31 - Python의 Arbitrary Argument Lists 따라 잡기

어쩌다 보니 Python 따라 잡기 시리즈가 되어 가네요. :-)
이번엔 다음과 같은 Python 문법과 비슷하게 C++로 작성해 보겠습니다. 아직 실용적인 측면은 못 찾았습니다만 template programming 연습이다 생각해 주세요.
def printSum(i, j):
  print i, '+', j, '=', i + j    
  for p in zip(range(0, 5), range(0, 10)): # iterate for minumum range of two
    printSum(*p)

# output
# 0 + 0 = 0
# 1 + 1 = 2
# 2 + 2 = 4
# 3 + 3 = 6
# 4 + 4 = 8
먼저 두개의 sequence를 받아 하나의 tuple sequence로 바꿔주는 zip 함수가 보입니다. 이때 당연하게도 입력된 sequence중에 짧은쪽의 길이만큼만 만들게 됩니다. 아래 코드를 보면 쉽게 이해됩니다.
>>> zip(range(0, 3), range(0, 6))
[(0, 0), (1, 1), (2, 2)]
다음으로 printSum 함수는 두개의 인자를 받는데 for loop안에서는 두개의 인자를 넘기는 대신 arbitrary arguments lists 문법(*)으로 tuple을 인자로 넘기고 있습니다. 자동으로 이 tuple의 인자들이 함수의 인자로 펼쳐 집니다.

이번 글에서는 C++로 위의 코드를 다음과 같이 작성할 수 있도록 클래스와 함수들을 만들어 보겠습니다.
template <class T>
void printSum(T t1, T t2)
{
  std::cout << t1 << " + " << t2 << " = " << t1 + t2 << "n";
}

int range[] = { 0, 1, 2, 3, 4 };
int const N = sizeof(range) / sizeof(range[0]);

zip_iterator<int*, int*> first(range, range); // begin(), begin()
zip_iterator<int*, int*> last(range + N, range + N); // end(), end()

for (; first != last; ++first) {
  call_aal(printSum<int>, *first); // call printSum(int, int) with tuple<int, int>
}
그럼 먼저 zip_iterator를 만들어 보겠습니다. Boost.Iterator 라이브러리는 이미 이전 글에서 충분히 소개한 내용이므로 바로 구현을 보여드리겠습니다. ((C++ of the Day #25 - Boost::Iterator 라이브러리 사용하기 #1
C++ of the Day #25 - Boost::Iterator 라이브러리 사용하기 #2
C++ of the Day #25 - Boost::Iterator 라이브러리 사용하기 #3
C++ of the Day #28 - random_number_iterator 구현
))
template <class Iter1, class Iter2>
class zip_iterator : public boost::iterator_facade<
  zip_iterator<Iter1, Iter2>,
  boost::tuple<
    typename boost::iterator_value<iter1>::type,
    typename boost::iterator_value<iter2>::type
  >,
  boost::forward_traversal_tag
>
{
  typedef typename boost::iterator_value<iter1>::type value_type1;
  typedef typename boost::iterator_value<iter2>::type value_type2;
  typedef boost::tuple<value_type1, value_type2> value_type;
public:
  explicit zip_iterator(Iter1 iter1, Iter2 iter2)
    : i1_(iter1), i2_(iter2) {}

private:
  friend class boost::iterator_core_access;

  void increment() { ++i1_; ++i2_; }

  bool equal(zip_iterator const& other) const {
    return i1_ == other.i1_ || i2_ == other.i2_; // it checks using OR
    // for boundary
    // safety
  }

  value_type& dereference() const {
    return ret_ = value_type(*i1_, *i2_); // it uses dummy mutable
    // data because of reference
    // return type
  }

  Iter1 i1_;
  Iter2 i2_;
  mutable value_type ret_;
};

template <class Iter1, class Iter2>
zip_iterator<Iter1, Iter2> make_zip_iterator(Iter1 i1, Iter2 i2) // helper
{
  return zip_iterator<Iter1, Iter2>(i1, i2);
}
여기서 만든 zip_iterator는 두개의 sequence만을 받도록 되어 있으나 쉽게 세개 이상의 sequence를 받는 zip_iterator도 만들 수 있습니다. 물론 Boost.Preprocessor 라이브러리를 가지고 말이죠. :-) ((Boost.Preprocessor에 관한 내용은 C++ of the Day #30 - Python의 map 함수 따라 잡기에서 볼 수 있습니다.))

다음으로 call_aal(F, T) 함수를 구현해 보겠습니다. 여기서 F는 호출할 함수이고 T는 호출에 사용될 인자를 element로 가지고 있는 tuple입니다. F가 두개의 인자를 갖는 함수라면 T는 두개의 element를 가지는 tuple이어야 합니다.

먼저 각 tuple내의 인자의 개수마다 template specialization이 필요합니다. 하지만 이를 call_aal 함수에서 바로 처리할 수는 없죠. 따라서 인자의 개수에 따른 template specialization을 제공할 클래스가 필요합니다. 함수는 template specialization을 사용할 수 없기 때문에 클래스를 사용합니다.

먼저 다음과 같이 main template을 선언합니다. 세번째 template 인자로 tuple의 개수가 들어가게 됩니다.
template <class F, class T, unsigned int S>
struct call_aal_impl;
다음으로 각 개수에 맞는 specialization을 구현해 줍니다. 좀 무식한 방법이긴 합니다만 가장 직관적이죠. 물론 Boost.Preprocessor 라이브러리를 사용하면 쉽게 큰 개수까지 확장이 가능합니다.
template <class F, class T>
struct call_aal_impl<F, T, 0>
{
  static void do_call(F func, T t) {
    func();
  }
};

template <class F, class T>
struct call_aal_impl<F, T, 1>
{
  static void do_call(F func, T t) {
    func(boost::get<0>(t));
  }
};

template <class F, class T>
struct call_aal_impl<F, T, 2>
{
  static void do_call(F func, T t) {
    func(boost::get<0>(t), boost::get<1>(t));
  }
};
이 call_aal_impl을 사용하여 call_aal을 만드는 것은 간단한 일이죠. 다음과 같이 간단하게 tuple의 element 개수를 가지고 call_aal_impl 클래스를 선택한 후 do_call 함수를 호출해주면 됩니다.
template <class F, class T>
void call_aal(F func, T t)
{
  unsigned int const L = boost::tuples::length<t>::value;
  typedef call_aal_impl Impl;

  Impl::do_call(func, t);
}
((boost 라이브러리에서는 tuple의 element 개수를 구하기 위한 meta-function으로 tuples::length::value를 사용합니다만 tr1에서는 tuple_size::value라는 이름으로 제공됩니다.))

왠지 설명이 좀 짧은 듯한 느낌이 있었습니다만 그다지 어려운 내용이 아니므로 쉽게 코드를 읽으셨으리라 생각합니다. boost::bind와 같이 좀더 범용적으로, 즉 tuple로도 호출 가능하고 일반 인자를 가지고도 호출 가능하도록 만들수도 있을 것 같습니다만 이렇게 만들 경우 인자로 실제 tuple을 사용하는 함수의 경우 혼돈이 있을 수 있어 call_aal 함수는 arbitrary arugements lists로만 호출되도록 놔두었습니다.

암튼 다음엔 뭔가 좀더 실용적인 내용을 찾아 만들어 봐야겠네요. ;-)

Comments

Popular posts from this blog

1의 개수 세기 - 해답

벌써 어제 말한 내일이 되었는데 답을 주신 분이 아무도 없어서 좀 뻘쭘하네요. :-P 그리고 어제 문제에 O(1)이라고 적었는데 엄밀히 얘기하자면 O(log 10 n)이라고 적었어야 했네요. 죄송합니다. ... 문제를 잠시 생각해보면 1~n까지의 수들 중 1의 개수를 얻기 위해서는 해당 숫자 n의 각 자리의 1의 개수가 모두 몇개나 될지를 구해서 더하면 된다는 사실을 알 수 있습니다. 예를 들어 13이라는 수를 생각해 보면 1~13까지의 수에서 1의 자리에는 1이 모두 몇개나 되는지와 10의 자리에는 모두 몇개나 되는지를 구해 이 값을 더하면 됩니다. 먼저 1의 자리를 생각해 보면 1, 11의 두 개가 있으며 10의 자리의 경우, 10, 11, 12, 13의 네 개가 있습니다. 따라서 2+4=6이라는 값을 구할 수 있습니다. 이번엔 234라는 수에서 10의 자리를 예로 들어 살펴 보겠습니다. 1~234라는 수들 중 10의 자리에 1이 들어가는 수는 10, 11, ..., 19, 110, 111, ... 119, 210, 211, ..., 219들로 모두 30개가 있음을 알 수 있습니다. 이 규칙들을 보면 해당 자리수의 1의 개수를 구하는 공식을 만들 수 있습니다. 234의 10의 자리에 해당하는 1의 개수는 ((234/100)+1)*10이 됩니다. 여기서 +1은 해당 자리수의 수가 0이 아닌 경우에만 더해집니다. 예를 들어 204라면 ((204/100)+0)*10으로 30개가 아닌 20개가 됩니다. 이런 방식으로 234의 각 자리수의 1의 개수를 구하면 1의 자리에 해당하는 1의 개수는 ((234/10)+1)*1=24개가 되고 100의 자리에 해당하는 개수는 ((234/1000)+1)*100=100이 됩니다. 이들 세 수를 모두 합하면 24+30+100=154개가 됩니다. 한가지 추가로 생각해야 할 점은 제일 큰 자리의 수가 1인 경우 위의 공식이 아닌 다른 공식이 필요하다는 점입니다. 예를 들어 123에서 100의 자리에 해당하는 1의 개수는 ((123/1...

CodeHighlighter plugin test page.

This post is for testing CodeHighlighter plugin which uses GeSHi as a fontifier engine. ((Those code blocks are acquired from Google Code Search .)) ((For more supported languages, go CodeHighlighter plugin or GeSHi homepage.)) C++ (<pre lang="cpp" lineno="1">) class nsScannerBufferList { public: /** * Buffer objects are directly followed by a data segment. The start * of the data segment is determined by increment the |this| pointer * by 1 unit. */ class Buffer : public PRCList { public: Buffer() { ++index_; } PHP (<pre lang="php" lineno="4">) for ($i = 0; $i $value = ord( $utf8_string[ $i ] ); if ( $value < 128 ) { // ASCII $unicode .= chr($value); } else { if ( count( $values ) == 0 ) { $num_octets = ( $value } $values[] = $value; Lisp (<pre lang="lisp">) ;;; Assignment (define-caller-pattern setq ((:star var fo...

std::map에 insert하기

얼마전 회사 동료가 refactoring한 코드를 열심히 revert하고 있어서 물어보니 다음과 같은 문제였습니다. 원래 코드와 refactoring한 코드는 다음과 같더군요. nvp[name] = value; // original code nvp.insert(make_pair(name, value)); // refactored 아시겠지만 위의 두 라인은 전혀 다른 기능을 하죠. C++03에 보면 각각 다음과 같이 설명되어 있습니다. 23.1.2/7 Associative containers a_uniq.insert(t): pair<iterator, bool> inserts t if and only if there is no element in the container with key equivalent to the key of t. The bool component of the returned pair indicates whether the insertion takes place and the iterator component of the pair points to the element with key equivalent to the key of t. 23.3.1.2/1 map element access [lib.map.access] T& operator[](const key_type& x); Returns: (*((insert(make_pair(x, T()))).first)).second. 원래 코드는 매번 새 값으로 이전 값을 overwrite했지만 새 코드는 이전에 키가 존재하면 새값으로 overwrite하지 않습니다. 따라서 원래 기능이 제대로 동작하지 않게 된것이죠. 그래서 물어봤죠. "왜 이렇게 했어?" "insert가 성능이 더 좋다 그래서 했지." :-? 사실 Fowler 아저씨는 Refactoring 책에서 refactoring은 성능을 optimizing하기 위한 것이 아니다라...