E D R , A S I H C RSS

Full text search for "ence"

ence


Search BackLinks only
Display context of search results
Case-sensitive searching
  • MoreEffectiveC++/Techniques2of3 . . . . 34 matches
         == Item 29: Reference counting ==
         Reference counting(이하 참조 세기, 단어가 길어 영어 혼용 하지 않음)는 같은 값으로 표현되는 수많은 객체들을 하나의 값으로 공유해서 표현하는 기술이다. 참조 세기는 두가지의 일반적인 동기로 제안되었는데, '''첫번째'''로 heap 객체들을 수용하기 위한 기록의 단순화를 위해서 이다. 하나의 객체가 만들어 지는데, new가 호출되고 이것은 delete가 불리기 전까지 메모리를 차지한다. 참조 세기는 같은 자료들의 중복된 객체들을 하나로 공유하여, new와 delete를 호출하는 스트레스를 줄이고, 메모리에 객체가 등록되어 유지되는 비용도 줄일수 있다. '''두번째'''의 동기는 그냥 일반적인 생각에서 나왔다. 중복된 자료를 여러 객체가 공유하여, 비용 절약 뿐아니라, 생성, 파괴의 과정의 생략으로 프로그램 수행 속도까지 높이고자 하는 목적이다.
         그리고 여기의 5에 해당 하는 숫자를 '''''Reference count''''' 라고 부른다. 혹자는 ''use count''라고 부르기도 하는데, 학술 용어의 당파에 따른거니 별 상관 안한다. 하지만 나(scott mayer) 그렇게 안부른다.
          === Implementing Reference Counting : 참조 세기 적용 ===
         생성자의 손쉬운 구현같이 파괴자 구현도 그리 어려운 일이 아니다. StringValue의 파괴는, 서로가 최대한 사용하고, 값이 파괴 시점은 참조 카운터가(reference counter:이하 참조 카운터만) 1인 경우 더이상 사용하는 객체가 없으므로 파괴하도록 구성한다.
          === Pointers, References, and Copy-on-Write : 포인터, 참조, 쓰기에 기반한 복사 ===
          === A Reference-Counting Base Class : 참조-세기 기초 클래스 ===
         제일 처음에 해야 할일은 참조세기가 적용된 객체를 위한 (reference-counded object) RCObject같은 기초 클래스를 만드는 것이다. 어떠한 클라스라도 이 클래스를 상속받으면 자동적으로 참조세기의 기능이 구현되는 형식을 바라는 것이다. 그러기 위해서는 RCObject가 가지고 있어야 하는 능력은 카운터에 대한 증감에 대한 능력일 것이다. 게다가 더 이상, 사용이 필요 없는 시점에서는 파괴되어야 한것이다. 다시말해, 파괴되는 시점은 카운터의 인자가 0이 될때이다. 그리고 공유 허용 플래그에 대한(shareable flag) 관한 것은, 현재가 공유 가능한 상태인지 검증하는 메소드와, 공유를 묶어 버리는 메소드, 이렇게만 있으면 될것이다. 공유를 푼다는 것은 지금까지의 생각으로는 불가능한 것이기 때문이다.
          void addReference();
          void removeReference();
         void RCObject::addReference() { ++refCount; }
         void RCObject::removeReference()
          === Automating Reference Count Manipulations : 자동 참조 세기 방법 ===
         RCObject는 참조 카운터를 보관하고, 카운터의 증감을 해당 클래스의 멤버 함수로 지원한다. 하지만 이건 유도되는 다른 클래스에 의하여, 손수 코딩이 되어야 한다. 즉, 위의 경우라면, StirngValue 클래스에서 addReference, removeReference 를 호출하면서, 일일이 코딩해 주어야 한다. 이것은 재사용 클래스로서 보기 않좋은데, 이것을 어떻게 자동화 할수는 없을까? C++는 이런 재사용을 지원할수 있을까.
          pointee->addReference(); // 새로운 참조 카운터를 올린다.
          pointee->removeReference(); // 현재 참조 객체 참조 카운터 감소 or 파괴
          if (pointee)pointee->removeReference(); // 알아서 파괴됨
         주석에서와 같이 removeReference() 는 참조 카운터가 0이되면 해당 객체를 파괴한다.
          void addReference(); // 참조 카운터 증가
          void removeReference(); // 참조 카운터 감소
  • Self-describingSequence/황재선 . . . . 24 matches
         public class DescribingSequence {
          public int getSequence(int n) {
          DescribingSequence ds = new DescribingSequence();
          int value = ds.getSequence(n);
         public class TestDescribingSequence extends TestCase {
          DescribingSequence ds = new DescribingSequence();
          assertEquals(1, ds.getSequence(1));
          assertEquals(2, ds.getSequence(2));
          assertEquals(2, ds.getSequence(3));
          DescribingSequence ds = new DescribingSequence();
          assertEquals(3, ds.getSequence(4));
          assertEquals(3, ds.getSequence(5));
          assertEquals(4, ds.getSequence(6));
          DescribingSequence ds = new DescribingSequence();
          assertEquals(21, ds.getSequence(100));
          assertEquals(356, ds.getSequence(9999));
          assertEquals(1684, ds.getSequence(123456));
          assertEquals(438744, ds.getSequence(1000000000));
          assertEquals(673365, ds.getSequence(2000000000));
         [Self-describingSequence]
  • AcceleratedC++/Chapter7 . . . . 21 matches
         == 7.3 Generating a cross-reference table ==
         //cross_reference_table.cpp
         == 7.4 Generating sentences ==
          || <sentence> || the <noun-phrase> <verb> <location> ||
         vector<string> gen_sentence(const Grammar& g) {
          gen_aux(g, "<sentence>", ret);
          g:Grammar map에서 <sentence> 키값으로 실제의 문장에 관한 문법을 읽어들인다.
          // generate the sentence
          vector<string> sentence = gen_sentence(read_grammar(cin));
          vector<string>::const_iterator it = sentence.begin();
          if (!sentence.empty()) {
          while (it != sentence.end()) {
         vector<string> gen_sentence(const Grammar& g)
          gen_aux(g, "<sentence>", ret);
          // generate the sentence
          vector<string> sentence = gen_sentence(read_grammar(cin));
          vector<string>::const_iterator it = sentence.begin();
          if (!sentence.empty()) {
          while (it != sentence.end()) {
  • MedusaCppStudy/석우 . . . . 18 matches
         void calculation(vector<Words>& sentence, Words& word);
         void Print(const vector<Words>& sentence);
          vector<Words> sentence;
          calculation(sentence, word);
          sort(sentence.begin(), sentence.end(), compare);
          Print(sentence);
         void calculation(vector<Words>& sentence, Words& word)
          sentence.push_back(word);
          for (int i = 0 ; i < sentence.size() - 1 ; i++)
          if (sentence[i].name == word.name)
          sentence[i].count++;
          sentence.pop_back();
         void Print(const vector<Words>& sentence)
          for (int j = 0 ; j < sentence.size() ; j++)
          cout << sentence[j].name << "\t" << sentence[j].count << endl;
          cout << endl << "총 단어수: " << sentence.size() << endl;
  • MoreEffectiveC++/Techniques1of3 . . . . 16 matches
         thePrinter().submitJob(buffer); // 상수 참조(const reference)라서,
         이제까지 거쳐왔던 코드들은 어느 정도의 형태가 잡혀 있다. 이것을 라이브러리로 만들어 놓고, 일정한 규칙으로 만들수는 없을까? (참고로 이와 비슷한 기술이 Item 29 reference-counting에 등장한다. 참고 해보자.) template가 이를 가능하게 해준다.
         그렇다면 값으로의 전달이 아닌 다른 방법이라면? 상수 참조 전달(Pass-by-reference-to-const)로 한다면 되지 않을까? 구현 코드를 보자
         // 직관적인 예제이다. auto_ptr<TreeNode>를 상수 참조 전달(Pass-by-reference-to-const)하였다.
         해당 예제의 상수 참조 전달(Pass-by-reference-to-const)의 인자 p는 객체가 아니다. 그것은 그냥 참조일 뿐이다. 그래서 아무런 생성자가 불리지 않는다. 그래서 소유권(ownership)은 넘긴 인자에 그대로 남아 있으며 값으로의 전달(by-value)시에 일어나는 문제를 막을수 있다.
         소유권(ownership)을 전달하는 개념을 다룬건 참 흥미롭지만, 사용자는 결코 재미있지 않다고 생각된다. 이는 복사(copy)나 할당(assign)의 원래의 의미를 손상 시키는 면이라서, 프로그래머는 혼란스러울 뿐이다. 개다가 함수들이 모두 상수 참조 전달(Pass-by-reference-to-const)로 작성된다는 법도 없다. 즉, 쓰지 말라는 소리다.
          * 맺음말:차후에 스마트 포인터는 Reference Counting(Item 29)을 구현하는데 적용 된다. 그때 다시 스마트 포인터에 대한 쓰임에 대하여 느껴 보기를 바란다.
          * 작성자주:Dereference라는 표현은 스마트 포인터를 사용시에 내부에 가지고 있는 더미(dumb) 포인터를 통해서 해당 객체에 접근하거나, 그 객체의 참조를 통해서 접근하는 과정을 의미한다. 이것을 Reference의 반대 의미로 Dereference로 쓴다. 사전에는 물론 없는 의미이다. 앞으로 여기에서도 '''역참조'''라고 표현한다.
         역참조(Dereference)를 하는 연산자는 operator*와 operator-> 이다. 개념적인 구성을 보자.
         이 함수의 반환 형은 참조(reference)이다. 객체를 반환하면 어떻게 되는가? 난리도 아닐것이다. 객체의 반환은 객체가 복사로 전달시에 생성, 삭제에서의 비효율은 물론, Item 13에 제시되는 slicing을 발생할 가능성이 있다. 또 Item 13에서도 계속 다룬 가상 함수를 호출할때 역시 객체를 통한 반환은 문제를 발생시킨다. Reference로 전달해라, 이것의 효율성에 관해서는 이미 다루었기에 더 말하지 않는다.
         역참조(dereference)의 다른 연산자인 operator->를 생각해 보자. operator*과 비슷한 역할이지만 이것은 더미(dumb) 포인터 그 자체를 반환한다. 앞의 예제중, operator->가 등장한 원격 DB 접근에 관한 예제로 생각해 본다.
         많은 어플리 케이션에서 스마트 포인터와 같은 기법을 사용하므로 잘 알아 두기를 바란다. 특히나 계속 홍보해서 지겹겠지만 Reference count쪽에서 나온다니까. 주목하기를.
         우리는 스마트 포인터 사용에서 필요한 것들인 생성(create), 파괴(destroy), 복사(copy), 할당(assign), 역참조(dereference)에 관해서 논의했다. 그렇지만 우리가 아직 안한것이 있다. 바로 스마트 포언터의 null여부를 알고 싶은것 바로 그것이다. 지금까지의 지식까지 스마트 포인터를 구현했다고 하고, 다음의 코드를 시전(?) 하고자 할때
  • MoniWikiPo . . . . 15 matches
         msgid "No difference found"
         msgid "Difference between yours and the current"
         msgid "Difference between versions"
         msgid "Difference between r%s and r%s"
         msgid "Difference between r%s and the current"
         msgid "Back to UserPreferences"
         msgstr "UserPreferences로 가기"
         msgid "UserPreferences"
         msgid "Goto UserPreferences"
         msgstr "UserPreferences로 가기"
         "your email address in the UserPreferences."
         "email address in the UserPreferences."
         "페이지 구독을 하시려면, ID를 등록하고 전자메일 주소를 UserPreferences에서 등"
         msgid "Theme cleared. Goto UserPreferences."
         msgstr "테마가 지워짐. UserPreferences로 가기"
  • MoreEffectiveC++/Efficiency . . . . 15 matches
          === Reference Counting (참조 세기) ===
         reference-counting 을 토대로한 문자열의 구현 예제를 조금만 생각해 보면 곧 lazy evaluation의 방법중 우리를 돕는 두번째의 것을 만나게 된다. 다음 코드를 생각해 보자
          String s = "Homer's Iliad"; // 다음 문자열이 reference-counting으로
         캐시(cashing)는 예상되는 연산 값을 기록해 놓는 하나의 방법이다. 미리 가지고 오는 것이기도 하다. 당신은 대량의 계산을 줄이는 것과 동등한 효과를 얻을것이라 생각할수 있다. 예를들어서, Disk controller는 프로그래머가 오직 소량의 데이터만을 원함함에도 불구하고 데이터를 얻기위해 디스크를 읽어 나갈때, 전체 블록이나 읽거나, 전체 섹터를 읽는다. 왜냐하면 각기 여러번 하나 두개의 작은 조각으로 읽는것보다 한번 큰 조각의 데이터를 읽는게 더 빠르기 때문이다. 게다가, 이러한 경우는 요구되는 데이터가 한곳에 몰려있다는 걸 보여주고, 이러한 경우가 매우 일반적이라는 것 역시 반증한다. 이 것은 locality of reference (지역 데이터에 대한 참조, 여기서는 데이터를 얻기위해 디스크에 직접 접근하는걸 의미하는듯) 가 좋지 않고, 시스템 엔지니어에게 메모리 케쉬와, 그외의 미리 데이터 가지고 오는 과정을 설명하는 근거가 된다.
         over-eager evaluation(선연산,미리연산) 전술은 이 것에대한 답을 제시한다.:만약 우리가 index i로서 현재의 배열상의 크기를 늘리려면, locality of reference 개념은 우리가 아마 곧 index i보다 더 큰 공간의 필요로 한다는걸 이야기 한다. 이런 두번째 (예상되는)확장에 대한 메모리 할당의 비용을 피하기 위해서는 우리는 DynArray의 i의 크기가 요구되는 것에 비해서 조금 더 많은 양을 잡아서 배열의 증가에 예상한다. 그리고 곧 있을 확장에 제공할 영역을 준비해 놓는 것이다. 예를 들어 우리는 DynArray::operator[]를 이렇게 쓸수 있다.
         이번 아이템은 일반적인 사용을 다루었다. 그리고 속도 향상은 상응 하는 메모리 비용을 지불을 해야만 할수 있다. 최대값, 최소값, 평균을 감안해서 요구되는 여분의 공간을 유지한다. 하지만 그것은 시간을 절약한다. cach 결과는 좀더 많은 메모리의 공간을 요구하지만 다시 할당되는 부분의 시간과 비용을 줄여서 비용을 절약한다. 미리 가지고 오고(prefetching)은 미리 가지고 와야 할것에 대한 공간을 요구하지만, 매번 그 자원에 접근해야 하는 시간을 줄여준다. 이러한 이야기(개념)은 Computer Science(컴퓨터 과학)에서 오래된 이야기 이다.:일반적으로 시간 자원과 공간 자원과의 교환(trade). (그렇지만 항상 이런 것이 가상 메모리와 캐쉬 페이지에 객체를 만드는것이 참은 아니다. 드문 경우에 있어, 큰 객체의 만드는 것은 당신의 소프트웨어의 성능(performance)을 향상 시킬 것이다. 왜냐하면 당신의 활성화 요구에 대한 활동이 증가하거나, 당신의 캐쉬에 대한 접근이 줄어 들또 혹은 둘다 일때 말이다. 당신은 어떻게 그러한 문제를 해결할 방법을 찾을 것인가? 상황을 점검하고 궁리하고 또 궁리해서 그문제를 해결하라(Item 16참고).)
          << " occurrences of the charcter " << c
         이러한 변환들(conversions)은 오직 객체들이 값으로(by value)나 상수 참조(reference-to-const)로 전달될때 일어난다. 상수 참조가 아닌 참조에서는(reference-to-non-const) 발생하지 않는 문제이다. 다음과 같은 함수에 관하여 생각해 보자:
         임시인자(temporary)가 만들어 졌다고 가정해 보자. 임시인자는 uppercasify로 전달되고 해당 함수내에서 대문자 변환 과정을 거친다. 하지만 활성화된, 필요한 자료가 들어있는 부분-subtleBookPlug-에는 정작 영향을 끼치지 못한다.;오직 subtleBookPulg에서 만들어진 임시 객체인 string 객체만이 바뀌었던 것이다. 물론 이것은 프로그래머가 의도했던 봐도 아니다. 프로그래머의 의도는 subtleBookPlug가 uppercasify에 영향을 받기를 원하고, 프로그래머는 subtleBookPlug가 수정되기를 바랬던 것이다. 상수 객체의 참조가 아닌 것(reference-to-non-const)에 대한 암시적(implicit) 형변환은 프로그래머가 임시가 아닌 객체들에 대한 변화를 예측할때 임시 객체만을 변경 시킨다. 그것이 언어상에서 non-const reference 인자들을 위하여 임시물들(temporaries)의 생성을 막는 이유이다. Reference-to-const 인자는 그런 문제에 대한 걱정이 없다. 왜냐하면 그런 인자들은 const의 원리에 따라 변화되지 않기 때문이다.
         임시 객체의 밑바탕의 생각은 비용이 발생하다. 이다. 그래서 당신은 가능한한 그것을 없애기를 원할 것이다. 하지만 이보다 더 중요한 것은, 이러한 임시 객체의 발생에 부분에 대한 통찰력을 기르는 것이다. reference-to-const(상수참조)를 사용한때는 임시 객체가 인자로 전달될수 있는 가능성이 존재 하는 것이다. 그리고 객체로 함수 값을 반환 할때는 임시 인자(temporary)는 아마도 만들어질것이다.(그리고 파괴되어 진다.) 그러한 생성에 대해 예측하고, 당신이 "behind the scences"(보이지 않는 부분) 에서의 컴파일러가 지불하는 비용에 대한 눈을 배워야 한다.
         다른 개발자들은 참조(reference)로 반환한다. 물론, 그것은 문법적으로는 수용할수 있다.
  • JollyJumpers/iruril . . . . 13 matches
          int differenceValue;
          boolean [] differenceArray;
          public void checkDiffenceValue()
          differenceValue = length-1;
         // System.out.println(differenceValue);
          differenceArray = new boolean [length];
          differenceArray = setFalse( differenceArray );
          for(int i = 0; i < differenceValue; i++)
          differenceArray[tempDiffer] = true;
          for(int i = 1; i <= differenceValue; i++)
          if ( differenceArray[i] == false )
          jj.checkDiffenceValue();
  • MoreEffectiveC++/Basic . . . . 13 matches
         == Item 1: Distinguish between pointers and references. ==
          * Item 1: Pointer와 Reference구별해라.
          Pointers use the "*" and "->" operators, references use "." [[BR]]
          string& rs; // Reference(참조)가 초기화가 되지 않아서 에러
          cout << rd; // rd에 관한 특별한 검사 필요 없다. reference니까.
         사견: Call by Value 보다 Call by Reference와 Const의 조합을 선호하자. 저자의 Effective C++에 전반적으로 언급되어 있고, 프로그래밍을 해보니 괜찮은 편이었다. 단 return에서 말썽이 생기는데, 현재 내 생각은 return에 대해서 회의적이다. 그래서 나는 COM식 표현인 in, out 접두어를 사용해서 아예 인자를 넘겨서 관리한다. C++의 경우 return에 의해 객체를 Call by Reference하면 {} 를 벗어나는 셈이 되는데 어디서 파괴되는 것인가. 다 공부가 부족해서야 쩝 --;
          지역함수 안에서 지역 객체를 생성하여 Reference로 리턴할 경우 지역 함수가 반한되면 지역 객체는 없어질 것이고, 리턴되는 Reference는 존재하지 않는 객체에 대한 다른 이름이 될 것이며, 경우에 따라서 컴파일은 될지모르나 나쁜 코드라고 하네요.-차섭-
          오해의 소지가 있도록 글을 적어 놨군요. in, out 접두어를 이용해서 reference로 넘길 인자들에서는 in에 한하여 reference, out은 pointer로 new, delete로 동적으로 관리하는것을 의도한 말이었습니다. 전에 프로젝트에 이런식의 프로그래밍을 적용 시켰는데, 함수 내부에서 포인터로 사용하는 것보다 in에 해당하는 객체 사용 코딩이 편하더군요. 그리고 말씀하신대로, MEC++ 전반에 지역객체로 생성한 Refernece문제에 관한 언급이 있는데, 이것의 관리가 C++의 가장 큰 벽으로 작용하는 것이 아닐까 생각이 됩니다. OOP 적이려면 반환을 객체로 해야 하는데, 이를 포인터로 넘기는 것은 원칙적으로 객체를 넘긴다고 볼수 없고, 해제 문제가 발생하며, reference로 넘기면 말씀하신데로, 해당 scope가 벗어나면 언어상의 lifetime이 끝난 것이므로 영역에 대한 메모리 접근을 OS에서 막을지도 모릅니다. 단, inline에 한하여는 이야기가 달라집니다. (inline의 코드 교체가 compiler에 의하여 결정되므로 이것도 역시 모호해 집니다.) 아예 COM에서는 OOP에서 벗어 나더라도, 범용적으로 쓰일수 있도록 C스펙의 함수와 같이 in, out 의 접두어와 해당 접두어는 pointer로 하는 규칙을 세워놓았지요. 이 설계가 C#에서 buil-in type의 scalar형에 해당하는 것까지 반영된 것이 인상적이 었습니다.(MS가 초기 .net세미나에서 이 때문에 String 연산 차이가 10~20배 정도 난다고 광고하고 다녔었는데, 지금 생각해 보면 다 부질없는 이야기 같습니다.) -상민
          // reference에서도 사용 가능하다? 그럼 불가능 할시의 처리는?
  • 비행기게임/BasisSource . . . . 13 matches
          FrameFrequence = 5
          imagefrequence = 5
          experience = 0
          if self.count%self.imagefrequence == 0:
          imagefrequence = 5
          if self.count%self.imagefrequence == 0:
          imagefrequence = 5
          if self.count%self.imagefrequence == 0:
          if self.count%(self.imagefrequence*self.shotRate) == 0:
          player.experience += 1
          if player.experience is 30 and curGun != 3:
          player.experience = 0
          elif curGun == 3 and player.experience is 30 :
  • RandomWalk2/Insu . . . . 12 matches
          void IncreaseVisitCount(int nSequence);
         void RandomWalkBoard::IncreaseVisitCount(int nSequence)
          _arVisitFrequency[ _Roach[nSequence].GetCurRow() ][ _Roach[nSequence].GetCurCol() ] ++;
          void IncreaseVisitCount(int nSequence);
         void RandomWalkBoard::IncreaseVisitCount(int nSequence)
          _arVisitFrequency[ _Roaches[nSequence].GetCurRow() ][ _Roaches[nSequence].GetCurCol() ] ++;
          void IncreaseVisitCount(int nSequence);
         void RandomWalkBoard::IncreaseVisitCount(int nSequence)
          _arVisitFrequency[ _Roaches[nSequence]->GetCurRow() ][ _Roaches[nSequence]->GetCurCol() ] ++;
  • MoreEffectiveC++/Appendix . . . . 11 matches
         There are hundreds — possibly thousands — of books on C++, and new contenders join the fray with great frequency. I haven't seen all these books, much less read them, but my experience has been that while some books are very good, some of them, well, some of them aren't. ¤ MEC++ Rec Reading, P4
          * '''''The Annotated C++ Reference Manual''''', Margaret A. Ellis and Bjarne Stroustrup, Addison-Wesley, 1990, ISBN 0-201-51459-1. ¤ MEC++ Rec Reading, P7
         These books contain not just a description of what's in the language, they also explain the rationale behind the design decisions — something you won't find in the official standard documents. The Annotated C++ Reference Manual is now incomplete (several language features have been added since it was published — see Item 35) and is in some cases out of date, but it is still the best reference for the core parts of the language, including templates and exceptions. The Design and Evolution of C++ covers most of what's missing in The Annotated C++ Reference Manual; the only thing it lacks is a discussion of the Standard Template Library (again, see Item 35). These books are not tutorials, they're references, but you can't truly understand C++ unless you understand the material in these books
         For a more general reference on the language, the standard library, and how to apply it, there is no better place to look than the book by the man responsible for C++ in the first place: ¤ MEC++ Rec Reading, P10
         Murray's book is especially strong on the fundamentals of template design, a topic to which he devotes two chapters. He also includes a chapter on the important topic of migrating from C development to C++ development. Much of my discussion on reference counting (see Item 29) is based on the ideas in C++ Strategies and Tactics.
          * '''''C/C++ Users Journal, Miller Freeman''''', Inc., Lawrence, KS. ¤ MEC++ Rec Reading, P44
         A more narrowly focused newsgroup is °comp.std.c++, which is devoted to a discussion of °the C++ standard itself. Language lawyers abound in this group, but it's a good place to turn if your picky questions about C++ go unanswered in the references otherwise available to you. The newsgroup is moderated, so the signal-to-noise ratio is quite good; you won't see any pleas for homework assistance here. ¤ MEC++ Rec Reading, P49
         If your compilers don't yet support explicit, you may safely #define it out of existence: ¤ MEC++ auto_ptr, P6
  • ACM_ICPC/2013년스터디 . . . . 10 matches
          * 퀵 정렬,이진검색,parametric search - [http://211.228.163.31/30stair/guessing_game/guessing_game.php?pname=guessing_game&stair=10 숫자 추측하기], [http://211.228.163.31/30stair/sort/sort.php?pname=sort&stair=10 세 값의 정렬], [http://211.228.163.31/30stair/subsequence/subsequence.php?pname=subsequence&stair=10 부분 구간], [http://211.228.163.31/30stair/drying/drying.php?pname=drying&stair=10 건조], [http://211.228.163.31/30stair/aggressive/aggressive.php?pname=aggressive&stair=10 공격적인 소]
          * [subsequence/권영기] - 부분 구간, 건조, 공격적인 소 문제 코드 모두 있어여. 근데 소스 공개하기 부끄럽네..
          * Up Sequence
          * Up Sequence
          * [http://stackoverflow.com/questions/2631726/how-to-determine-the-longest-increasing-subsequence-using-dynamic-programming Time Complexity O(n log n) 의 Up Sequence]
          * [http://211.228.163.31/30stair/bridging/bridging.php?pname=bridging&stair=15 bridging - binary indexed tree를 이용한 Up Sequence 문제]
          * Longest increasing subsequence : DAG로 바꾼다.(increasing하는 곳에만 edge생성됨) 이후 가장 많이 방문하도록 L(j) = 1+ max{L(i) : (i,j)}수행
  • 몸짱프로젝트/CrossReference . . . . 10 matches
         class CrossReference:
          sentence =\
          wordList = sentence.split(' ')
         class CrossReferenceTestCase(unittest.TestCase):
         ## c = CrossReference()
          c = CrossReference()
          c = CrossReference()
          c = CrossReference()
         ## c = CrossReference()
         // Cross Reference를 작성하기 위한 함수
  • CivaProject . . . . 9 matches
         class CharSequence;
         typedef shared_ptr<CharSequence> CharSequence_Handle;
         == civa.lang.CharSequence ==
         #ifndef CIVA_LANG_CHARSEQUENCE_INCLUDED
         #define CIVA_LANG_CHARSEQUENCET_INCLUDED
         class CharSequence {
          virtual CharSequence_Handle subSequence(int start, int end) = NULL;
         #endif // CIVA_LANG_CHARSEQUENCET_INCLUDED
         #include "CharSequence.h"
         : public Object, civa::io::Serializable, Comparable, CharSequence {
  • MoreEffectiveC++/Exception . . . . 9 matches
         자, 비슷한 면은 언급해보면, 함수 예외 모두 에 인자를 전달할때 세가지로 전달할수 있다. 값(by value)이냐 참조(by reference)냐, 혹은 포인터(by pointer)냐 바로 이것이다. 하지만 이 함수와 예외에서의 인자의 전달 방식은 구동 방법에서 결정적인 차이점을 보인다. 이런 차이점은 당신이 함수를 호출할때 최종적으로 반환되는 값(returns)이 해당 함수를 부르는 위치로 가지만, 예외의 경우에 throw의 위치와 return의 위치가 다르다는 점에서 기인한다.
         == Item 13: Catch exception by reference ==
          * Item 13: 예외는 참조(reference)로 잡아라.
         catch 구문을 사용할때 해당 구문을 통해서 전달받은 예외 객체들을 받는 방법을 잘알아야 한다. 당신은 세가지의 선택을 할수 있다. 바로 전 Item 12에서 언급한 것처럼 값(by value), 참조(by reference), 포인터(by pointer)이렇게 세가지 정도가 될것이다.
         게다가 catch-by-pointer(포인터를 통한 예외 전달)은 언어상에서 사람들의 대립을 유도 한다. 네가지의 표준 예외 객체들들( bad_alloc(Item 8:operator new에서 불충분한 메모리 반환), bad_cast(Item 2:dynamic_cast에서 참조 실패), bad_typeid(dynamic_cast일때 null포인터로 변환), bad_exception(Item 14:예측 못하는 예외로 빠지는 것 unexpected exception 문제) 가 예외 객체들의 모든 것인데, 이들을 향한 기본적인 포인터는 존재하지 않는다. 그래서 당신은 예외를 값으로(by value)혹은 참조로(by reference) 밖에는 대안이 없다.
         자자 그럼 남은건 오직 catch-by-reference(참조로서 예외 전달)이다. catch-by-reference는 이제까지의 논의를 깨끗이 없애 준다. catch-by-pointer의 객체 삭제 문제와 표준 예외 타입들을 잡는거에 대한 어려움, catch-by-value와 같은 ''slicing'' 문제나 두번 복제되는 어려움이 없다. 참조로서 예외 전달에서 예외 객체는 오직 한번 복사되어 질 뿐이다.
         catch-by-reference는 이제까지의 문제에 모든 해결책을 제시한다. (''slicing'', delete문제 etc)그럼 이제 결론은 하나 아닐까?
         Catch exception by reference!
  • StructuredText . . . . 9 matches
         A structured string consists of a sequence of paragraphs separated by
          * A paragraph that begins with a sequence of digits followed by a white-space character is treated as an ordered list element.
          * A paragraph that begins with a sequence of sequences, where each sequence is a sequence of digits or a sequence of letters followed by a period, is treated as an ordered list element.
          Is interpreted as '... by Smith <a href="#12">[12]</a> this ...'. Together with the next rule this allows easy coding of references or end notes.
          Is interpreted as '<a name="12">[12]</a> "Effective Techniques" ...'. Together with the previous rule this allows easy coding of references or end notes.
  • 몸짱프로젝트/InfixToPrefix . . . . 9 matches
          self.precedence = {'*':13, '+':12, '-':12, '/':13}
          def getPrecedence(self, aToken):
          return self.precedence[aToken]
          if aToken in self.precedence:
          self.precedence[self.list[0]] < self.precedence[aOperator]:
          def testGetPrecedence(self):
          self.assertEqual(e.getPrecedence(token), 13)
          self.assertEqual(e.getPrecedence(token), 12)
  • BuildingWikiParserUsingPlex . . . . 8 matches
          upperCaseSequence = Rep1(upperCase)
          lowerCaseSequence = Rep1(lowerCase)
          alphabetSequence = Rep1(upperCaseSequence | lowerCaseSequence)
          interwiki = alphabetSequence + interwikiDelim + stringUntilSpaceOrCommaOrRest
          pagelinkUsingCamelWord = upperCase + Rep(lowerCase) + Rep1(upperCaseSequence + lowerCaseSequence)
  • Gof/Visitor . . . . 8 matches
         예를든다면, visitor를 이용하지 않는 컴파일러는 컴파일러의 abstact syntax tree의 TypeCheck operation을 호출함으로서 type-check 을 수행할 것이다. 각각의 node들은 node들이 가지고 있는 TypeCheck를 호출함으로써 TypeCheck를 구현할 것이다. (앞의 class diagram 참조). 만일 visitor를 이용한다면, TypeCheckingVisior 객체를 만든 뒤, TypeCheckingVisitor 객체를 인자로 넘겨주면서 abstract syntax tree의 Accept operation을 호출할 것이다. 각각의 node들은 visitor를 도로 호출함으로써 Accept를 구현할 것이다 (예를 들어, assignment node의 경우 visitor의 VisitAssignment operation을 호출할 것이고, varible reference는 VisitVaribleReference를 호출할 것이다.) AssignmentNode 클래스의 TypeCheck operation은 이제 TypeCheckingVisitor의 VisitAssignment operation으로 대체될 것이다.
         == Consequences ==
          ^ aVisitor visitSequence : self
         visitSequence: sequenceExp
          inputState := sequenceExp expression1 accept: self.
          ^ sequenceExp expression2 accept: self.
  • MoreEffectiveC++ . . . . 8 matches
          * Item 1: Distinguish between pointers and references. - Pointer와 Reference구별해라.
          * Item 13: Catch exception by reference - 예외는 참조(reference)로 잡아라.
          * Item 29: Reference counting - 참조 세기
          1. 2002.02.15 드디어 스마트 포인터를 설명할수 있는 skill을 획득했다. 다음은 Reference counting 설명 skill을 획득해야 한다. Reference counting은 COM기술의 근간이 되고 있으며, 과거 Java VM에서 Garbage collection을 수행할때 사용했다고 알고 있다. 물론 현재는 Java Garbage Collector나 CLR이나 Tracing을 취하고 있는 것으로 알고 있다. 아. 오늘이 프로젝트 마지막 시점으로 잡은 날인데, 도저히 불가능하고, 중도 포기하기에는 뒤의 내용들이 너무 매력있다. 칼을 뽑았으니 이번달 안으로는 끝장을 본다.
          1. 2002.02.17 Reference Counting 설명 스킬 획득. 이제까지중 가장 방대한 분량이고, 이책의 다른 이름이 '''More Difficult C++''' 라는 것에 100% 공감하게 만든다. Techniques가 너무 길어서 1of2, 2of2 이렇게 둘로 쪼갠다. (세개로 쪼갤지도 모른다.) 처음에는 재미로 시작했는데, 요즘은 식음을 전폐하고, 밥 먹으러가야지. 이제 7개(부록까지) 남았다.
  • PythonForStatement . . . . 8 matches
         for 타겟객체리스트(target) in 시퀀스형(expression_list==sequence):
         Sequences
         These represent finite ordered sets indexed by non-negative numbers. The built-in function len() returns the number of items of a sequence. When the length of a sequence is n, the index set contains the numbers 0, 1, ..., n-1. Item i of sequence a is selected by a[i].
         {{|There are six sequence types: strings, Unicode strings, lists, tuples, buffers, and xrange objects|}}
         여기까지 알아 보시려면, Python Language Reference에서 sequence, for statement로 열심히 찾아 보시면 됩니다. 열혈강의 파이썬에도 잘 나와있습니다. 그리고 다음의 이야기들은 다른 언어를 좀 아시면 이해가실 겁니다.
  • TheJavaMan/숫자야구 . . . . 8 matches
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
          * Window - Preferences - Java - Code Generation - Code and Comments
  • UML . . . . 8 matches
         This diagram describes the structure of a simple Restaurant System. UML shows [[Inheritance_(computer_science)|Inheritance]] relationships with a [[triangle]]; and containers with [[rhombus|diamond shape]]. Additionally, the role of the relationship may be specified as well as the cardinality. The Restaurant System has any number of Food dishes(*), with one Kitchen(1), a Dining Area(contains), and any number of staff(*). All of these objects are associated to one Restaurant.
         === Sequence Diagram ===
         This diagram describes the sequences of messages of the (simple) Restaurant System. This diagram represents a Patron ordering food and wine; drinking wine then eating the food; finally paying for the food. The dotted lines extending downwards indicate the timeline. The arrows represent messages (stimuli) from an actor or object to other objects. For example, the Patron sends message 'pay' to the Cashier. Half arrows indicate asynchronous method calls.
         A Collaboration diagram models the interactions between objects in terms of sequenced messages. Collaboration diagrams represent a combination of information taken from [[#UML_Class Diagram|Class]], [[#UML_Sequence_Diagram|Sequence]], and [[#UML_Use_Case_Diagram|Use Case Diagrams]] describing both the static structure and dynamic behavior of a system.
         Collaboration and sequence diagrams describe similiar information, and as typically implemented, can be transformed into one another without difficulty.
         Another problem is that UML doesn't apply well to distributed systems. In such systems, factors such as serialization, message passing and persistence are of great importance. UML lacks the ability to specify such things. For example, it is not possible to specify using UML that an object "lives" in a [[server]] process and that it is shared among various instances of a running [[process]].
  • MatrixAndQuaternionsFaq . . . . 7 matches
          Hence, in this document you will see (for example) a 4x4 Translation
          Individual elements of the matrix are referenced using two index
          This is referenced as follows:
          However, the use of two reference systems for each matrix element
          The performance differences between the two are subtle. If all for-next
          loops are unravelled, then there is very little difference in the
          However, to perform this sequence of calls is very wasteful in terms
  • ProjectEazy/Source . . . . 7 matches
          def findVerb(self, aSentence):
          lastToken = aSentence.split()[-1]
          def findVP(self, aSentence):
          NP = self.findNP(aSentence)
          temp = aSentence.split(' ')
          def findNP( self, aSentence ):
          return aSentence.split(' ')[0]
  • WikiSlide . . . . 7 matches
          * UserPreferences
          * Personal preferences
          * "Recently visited pages" (see UserPreferences)
         (!) In UserPreferences, you can set up the editor to open when you double click a page.
         || {{{PageReference WikiSandBox}}} || PageReference WikiSandBox ||
          * Configure your UserPreferences.
  • WikiTextFormattingTestPage . . . . 7 matches
         sentence
         In this sentence, '''bold''' should appear as '''bold''', and ''italic'' should appear as ''italic''.
         Note that the logic seems to be easily confused. In the next paragraph I combine the two sentences (with no other changes). Notice the results. (The portion between the "innermost" set of triple quotes, and nothing else, is bold.)
         Remote references are created by inserting a number in square brackets, they are not automatically numbered. To make these links work, you must go to Wiki:EditLinks and fill in URLs.
         If a remote reference ends in .gif, the image is inlined.
         In WardsWiki the URL for a remote reference in the [number] syntax must be entered using EditLinks. The image is placed where the [number] is located.
         Aside: What's the difference (in IE5 or similar) betweeen, for example:
  • AcceleratedC++/Chapter4 . . . . 6 matches
          * const vector<double>& hw : 이것을 우리는 double형 const vector로의 참조라고 부른다. reference라는 것은 어떠한 객체의 또다른 이름을 말한다. 또한 const를 씀으로써, 저 객체를 변경하지 않는다는 것을 보장해준다. 또한 우리는 reference를 씀으로써, 그 parameter를 복사하지 않는다. 즉 parameter가 커다란 객체일때, 그것을 복사함으로써 생기는 overhead를 없앨수 있는 것이다.
          * 이제 우리가 풀어야 할 문제는, 숙제의 등급을 vector로 읽어들이는 것이다. 여기에는 두가지의 문제점이 있다. 바로 리턴값이 두개여야 한다는 점이다. 하나는 읽어들인 등급들이고, 또 다른 하나는 그것이 성공했나 하는가이다. 하나의 대안이 있다. 바로 리턴하고자 하는 값을 리턴하지 말고, 그것을 reference로 넘겨서 변경해주는 법이다. const를 붙이지 않은 reference는 흔히 그 값을 변경할때 쓰인다. reference로 넘어가는 값을 변경해야 하므로 어떤 식(expression)이 reference로 넘어가면 안된다.(lvalue가 아니라고도 한다. lvalue란 임시적인 객체가 아닌 객체를 말한다.)
  • BigBang . . . . 6 matches
          * char의 배열, '''null terminated''' char sequence
          1. call by reference(alias)
          * 포인터 값을 전달하는 Call-by-reference의 경우는, 포인터 값을 복사의 방식으로 전달하게 되므로, 일종의 call-by-value라고 볼 수 있다.
          * standard STL sequence container
          * vector(메모리가 연속적인 (동적) 배열), string, deque(double ended queue, 덱이라고도 한다. [http://www.cplusplus.com/reference/deque/deque/ 참고]), list(linked-list)
          * non-standard sequence container
  • DesignPatternsAsAPathToConceptualIntegrity . . . . 6 matches
         The source of this difference may be the lack of focus on design patterns in the design process. In fact, we seldom see discussions of the design process associated with design patterns. It is as though design patterns are a tool that is used independent of the process. Let’s investigate this further:
         · The existence of an architecture, on top of any object/class design
         a. Booch in OOSE relies heavily on expert designers and experience to provide the system modularization principle.
         d. Snoeck with Event Driven Design (EDD) raises existence dependency as the system modularization principle.
         · Along what principle (experience, data, existence dependency, contract minimization, or some unknown principle) is the application partitioned?
  • EffectiveSTL/Container . . . . 6 matches
          * Sequence Containers - vector, deque, list, string( vector<char> ) 등등
          * vector 는 Sequence Container 니까 보통 Associative Container 들(주로 Map)보다 메모리낭비가 덜함. 그대신 하나 단위 검색을 할때에는 Associative Container 들이 더 빠른 경우가 있음. (예를 들어 전화번호들을 저장한 container 에서 024878113 을 찾는다면.? map 의 경우는 바로 해쉬함수를 이용, 한큐에 찾지만, Sequence Container 들의 경우 처음부터 순차적으로 좌악 검색하겠지.) --[1002]
          * Iterator, Pointer, Reference 갱신을 최소화 하려면 Node Based Containers를 쓴다.
          * 컨테이너에 Object를 넣을때에는, 그 Object의 복사 생성자(const reference)와, 대입 연산자를 재정의(const reference) 해주자. 안그러면 복사로 인한 엄청난 낭비를 보게 될것이다.
  • HardcoreCppStudy/첫숙제/ValueVsReference/변준원 . . . . 6 matches
         ▶ 참조에 의한 호출 ( Call by Reference )
         참조에 의한 호출(call by reference, call by address, call by location) 방법은 가인수의 값을 변경시키면 실인수의 값도 변경
          - 포인터 참조에 의한 호출(Call by pointer reference)
          - 참조에 의한 호출(Call by reference)
         포인터 참조에 의한 호출(Call by point reference)
         참조에 의한 호출(Call by reference)
  • Java/문서/참조 . . . . 6 matches
         참조형은 C++에서 int &a와 같이 by-value가 아닌 by-reference
         벡터는 call by-reference로 전달된다.
         이런 reference자료형은 Class, 배열(Array) interface이며
         call by-reference로 메소드나 전달인자로 넘어 간다.
         이같은 스칼라 값들은 절대로 메소드에 reference형태의 전달인자로
         취급하기 때문에 call by-reference로 못넘긴다. 그래서 final로 선언할 수 있다.
  • JavaStudy2004/클래스 . . . . 6 matches
          private String sentence;
          sentence = temp;
          public void setSentence(String temp)
          sentence = temp;
          JOptionPane.showMessageDialog(null, sentence);
          h.setSentence("Hello World!");
  • LoadBalancingProblem/임인택 . . . . 6 matches
          * Window>Preferences>Java>Templates.
          * Window>Preferences>Java>Code Generation.
          * Window>Preferences>Java>Templates.
          * Window>Preferences>Java>Code Generation.
          * Window>Preferences>Java>Templates.
          * Window>Preferences>Java>Code Generation.
  • RSSAndAtomCompared . . . . 6 matches
         The purpose of this page is to summarize, as clearly and simply as possible, the differences between the RSS 2.0 and Atom 1.0 syndication languages.
         == Major/Qualitative Differences ==
         [http://ietfreport.isoc.org/idref/draft-ietf-atompub-protocol/ Atom Publishing Protocol], which is closely integrated with the Atom feed format and is based on the experience with the existing protocols.
         == Differences of Degree ==
         RSS 2.0 does not specify the handling of relative URI references, and in practice they cannot be used in RSS feeds.
         Atom 1.0 specifies use of the XML's built-in [http://www.w3.org/TR/xmlbase/ xml:base] attribute for allowing the use of relative references.
  • Refactoring/OrganizingData . . . . 6 matches
         == Change Value to Reference p179 ==
          * You have a class with many equal instances that you want to replace with a single object. [[BR]] ''Turn the object into a reference object.''
         http://zeropage.org/~reset/zb/data/ChangeValueToReference.gif
         == Change Reference to Value p183 ==
          * You have a reference object that is small, immutable, and awkward to manage. [[BR]] ''Turn it into a balue object.''
         http://zeropage.org/~reset/zb/data/ChangeReferenceToValue.gif
  • Self-describingSequence . . . . 6 matches
         === About [Self-describingSequence] ===
          || 문보창 || C++ || 2시간 || [Self-describingSequence/문보창] ||
          || 황재선 || Java || 2시간 || [Self-describingSequence/황재선] ||
          || [1002] || Python || 1시간 40분 || [Self-describingSequence/1002] ||
          || [shon] || matlab || 1차 : 1시간 10분, 2차 : 3시간 || [Self-describingSequence/shon] ||
          || [조현태] || C++ || ? || [Self-describingSequence/조현태] ||
  • SpiralArray/임인택 . . . . 6 matches
          s = Sequence()
         class Sequence:
          self.sequence = [[1,0],[0,1],[-1,0],[0,-1]]
          return self.sequence[self.idx]
          def testNextSeqence(self):
          s = Sequence()
  • 서지혜/단어장 . . . . 6 matches
          What is the difference between ethnicity and race?
          망각 : Eternal oblivion, or simply oblivion, is the philosophical concept that the individual self "experiences" a state of permanent non-existence("unconsciousness") after death. Belief in oblivion denies the belief that there is an afterlife (such as a heaven, purgatory or hell), or any state of existence or consciousness after death. The belief in "eternal oblivion" stems from the idea that the brain creates the mind; therefore, when the brain dies, the mind ceases to exist. Some reporters describe this state as "nothingness".
          2. hunting for a first apartment in a big city is an eye-opening experience for young people
          BS degree. in lieu of degree, 4 years of relevant experience.
  • Bioinformatics . . . . 5 matches
         이런 취지에서 NCBI는 sequence-related information에 관한 모델을 만들었다. 그리고 이런 모델을 이용해서 Entrez(data retrieval system)나 GenBank DB(DNA seq.를 저장해둔 DB, 두 가지는 유전자 연구의 중요한 data들이다.)와 같이 소프트웨어나 통합 DB시스템을 가능하게 만들었다.
         Entrez는 통합 데이터베이스 retrieval 시스템으로서 DNA, Protein, genome mapping, population set, Protein structure, 문헌 검색이 가능하다. Entrez에서 Sequence, 특히 Protein Sequence는 GenBank protein translation, PIR, PDB, RefSeq를 포함한 다양한 DB들에 있는 서열을 검색할 수 있다.
         유전 형질을 말하며 유전에 관여하는 특정 물질이다. Gene의 모임이 Genome이다. 또한 이 Gene는 DNA에 그 내용이 암호화 되어 있다. 이미 알고 있을지도 모르겠지만, Gene이라는 것은 DNA의 염기 배열이다. 이 염기 배열(base sequence)이 어떤 과정을 통해서 대응되는 순서로 아미노산(amino acid)끼리의 peptide결합을 하여 단백질로 나타는 것을 유전 형질 발현이라고 한다.
         절대 컴퓨터 지식만으로 승부걸려고 하지 말아야 할 것 입니다. 컴퓨터 지식만으로는 정말 기술자 수준 밖에 되지 못합니다. 그쪽 지식이 필요하다고 해도 이건 기술적 지식이라기보다는 과학, 즉, 전산학(Computer Science)의 지식이 필요합니다. 그리고 Bioinformatics를 제대로 '''공부'''하려면 컴퓨터 분야를 빼고도 '''최소한''' 생물학 개론, 분자 생물학, 생화학, 유전학, 통계학 개론, 확률론, 다변량 통계학, 미적분을 알아야 합니다. 이런 것을 모르고 뛰어들게 되면 가장자리만 맴돌게 됩니다. 국내에서 Bioinformatics를 하려는 대부분의 전산학과 교수님들이 이 부류에 속한다는 점이 서글픈 사실이죠.
  • DataStructure/List . . . . 5 matches
          public void insertNode(int ndata,int nSequence)
          for(int i=0;i<nSequence;i++)
          public boolean deleteNode(int nSequence)
          if(nNumber<nSequence)
          for(int i=0;i<nSequence-1;i++)
  • JollyJumpers/황재선 . . . . 5 matches
          * Window - Preferences - Java - Code Style - Code Templates
          public int[] getdifferenceValue() {
          j.getdifferenceValue();
          * Window - Preferences - Java - Code Style - Code Templates
          * Window - Preferences - Java - Code Style - Code Templates
  • 몸짱프로젝트/InfixToPostfix . . . . 5 matches
          int precedence;
          income.op.precedence = 0;
          stack[MAX-1].op.precedence = 100;*/
          if ( income.op.precedence < stack[top].op.precedence )
  • 임시 . . . . 5 matches
         Reference: 21
         Science: 75
         Science Fiction & Fantasy: 25
         API Reference - Search Index Values
         API Reference - Response Groups - Request, Small, Medium, Large, Image, ...
  • 2학기파이선스터디/문자열 . . . . 4 matches
          * 파이선의 여러 자료형중 시퀀스(sequence) 자료형에 속함.
          - 시퀀스(Sequence) 자료형의 특징
         == 시퀀스(Sequence) 자료형 연산(명령) ==
          * 문자열 연산은 앞의 시퀀스(Sequence)자료형 연산을 따른다.
  • AcceleratedC++/Chapter14 . . . . 4 matches
          // `students[i]' is a `Handle', which we dereference to call the functions
         == 14.2 Reference-counted handles ==
         이경우 대상객체의 해제는 객체를 가리키는 마지막 핸들이 소멸될때 행해져야한다. 이를 위해 '''레퍼런스 카운트(reference count, 참조계수)'''를 사용한다.
          // manage reference count as well as pointer
  • DPSCChapter1 . . . . 4 matches
         A '''design pattern''' is a reusable implementation model or architecture that can be applied to solve a particular recurring class of problem. The pattern sometimes describes how methods in a single class or subhierarchy of classes work together; more often, it shows how multiple classes and their instances collaborate. It turns out that particular architectures reappear in different applications and systems to the extent that a generic pattern template emerges, one that experts reapply and customize to new application - and domain-specific problems. Hence, experts know how to apply design patterns to new problems to implement elegant and extensible solutions.
         In general, designers -- in numerous domains, not just software -- apply their experience with past problems and solution to new, similar problems. As Duego and Benson(1996) point out, expert designers apply what is known in cognitive psychology and artificial intelligence as '''case-based reasoning''', remembering past cases and applying what they learned there. This is the sort of reasoning that chess masters, doctors, lawyers, and architects empoly to solve new problems. Now, design patterns allow software designers to learn from and apply the experiences of other designers as well. As in other domains, a literature of proven patterns has emerged. As a result, we can "stand on the shoulders of giants" to get us closer to the expert peak. As John Vlissies (1997) asserts, design patterns "capture expertise and make it accessible to non-experts" (p. 32).
  • FocusOnFundamentals . . . . 4 matches
         Clearly, practical experience is essential in every engineering education; it helps the students to
         --David Parnas from [http://www.cs.utexas.edu/users/almstrum/classes/cs373/fall98/parnas-crl361.pdf Software Engineering Programmes Are Not Computer Science Programmes]
         Q: What advice do you have for computer science/software engineering students?
         A: Most students who are studying computer science really want to study software engineering but they don't have that choice. There are very few programs that are designed as engineering programs but specialize in software.
  • Gof/FactoryMethod . . . . 4 matches
         == Consequences : 결론 ==
         Here are two additional consequences of the Factory Method pattern:
         MyCreator::Create handles only YOURS, MINE, and THEIRS differently than the parent class. It isn't interested in other classes. Hence MyCreator extends the kinds of products created, and it defers responsibility for creating all but a few products to its parent.
         The Orbix ORB system from IONA Technologies [ION94] uses Factory Method to generate an appropriate type of proxy (see Proxy (207)) when an object requests a reference to a remote object. Factory Method makes it easy to replace the default proxy with one that uses client-side caching, for example.
  • HardcoreCppStudy/첫숙제 . . . . 4 matches
          ||[HardcoreCppStudy/첫숙제/ValueVsReference/변준원]||
          ||[HardcoreCppStudy/첫숙제/ValueVsReference/장창재]||
          ||[HardcoreCppStudy/첫숙제/ValueVsReference/임민수]||
          ||[HardcoreCppStudy/첫숙제/ValueVsReference/김아영]||
  • JollyJumpers/Leonardong . . . . 4 matches
          if self.checkJolly( aSet = self.getSetOfDiffence( aSeries[1:] ),
          def getSetOfDiffence( self, aSeries ):
          self.assertEquals( str(self.jj.getSetOfDiffence( aSeries = [5,6,8] )),
          self.assertEquals( str(self.jj.getSetOfDiffence( aSeries = [7,6,4] )),
  • MoinMoinTodo . . . . 4 matches
          * UserPreferences
          * Steal ideas from [http://www.usemod.com/cgi-bin/mb.pl?action=editprefs MeatBall:Preferences]
         === UserPreferences ===
         Preference settings:
  • MoniWikiTutorial . . . . 4 matches
          * 계정 만들기: UserPreferences로 가서 사용자 등록을 합니다.
          * UserPreferences: 사용자 가입/로그인/설정
         || {{{PageReference WikiSandBox}}} || PageReference WikiSandBox ||
  • OpenCamp/첫번째 . . . . 4 matches
         - 주제: Web Conference
          * [https://trello-attachments.s3.amazonaws.com/504f7c6ae6f809262cf15522/5050dc29719d8029024cca6f/f04b35485152d4ac19e1392e2af55d89/forConference.html 다운로드]
         - 주제: Java Conference
          * 데블스도 그렇고 이번 OPEN CAMP도 그렇고 항상 ZP를 통해서 많은 것을 얻어가는 것 같습니다. Keynote는 캠프에 대한 집중도를 높여주었고, AJAX, Protocols, OOP , Reverse Engineering of Web 주제를 통해서는 웹 개발을 위해서는 어떤 지식들이 필요한 지를 알게되었고, NODE.js 주제에서는 현재 웹 개발자들의 가장 큰 관심사가 무엇있지를 접해볼 수 있었습니다. 마지막 실습시간에는 간단한 웹페이지를 제작하면서 JQuery와 PHP를 접할 수 있었습니다. 제 기반 지식이 부족하여 모든 주제에 대해서 이해하지 못한 것은 아쉽지만 이번을 계기로 삼아서 더욱 열심히 공부하려고 합니다. 다음 Java Conference도 기대가 되고, 이런 굉장한 행사를 준비해신 모든 분들 감사합니다. :) - [권영기]
  • OperatingSystemClass/Exam2002_2 . . . . 4 matches
          * If a memory reference takes 200 nanoseconds, how long does a paged memory reference take?
          * If we add associative registers and 75 percent of all page-table references are found in the associative regsters, what is the effective memory time? (Assume that finding a page-table entry in the associative registers takes zero time, if the entry is there)
         5. Consider the following page reference string:
  • SmallTalk/문법정리 . . . . 4 matches
          * Unary 메세지는 가장 높은 우선 순위를 가진다. messages have the highest precedence.
          * Binary 메세지는 그 다음의 우선 순위를 가진다. Binary message have the next precedence.
          * Keyword 메세지는 가장 낮은 우선 순위를 가진다.Keyword message have the lowest precedence.
          * 괄호 '()' 를 써서 우선 순위를 변경할수 있다. You can alter precedence by using parenthses.
  • TheTrip/황재선 . . . . 4 matches
          * Window - Preferences - Java - Code Style - Code Templates
          double difference = money[i] - average;
          if (difference > 0) movedMoney += difference;
  • ViImproved/설명서 . . . . 4 matches
         ▶Vi 저자 vi와 ex는 The University of California, Berkeley California computer Science Division, Department of Electrical Engineering and Computer Science에서 개발
         ) 다음 sentence G . . .로 이동(dft는 끝) :r !<명령어> <명령어>실행결과를 read
         ( 전 sentence ^g 현재줄의 위치를 화면출력 :nr <file> n줄로<file>을 read
  • 새싹교실/2012/주먹밥 . . . . 4 matches
          * Call-by-value, Call-by-reference 예제
          * 위와 같이 함수 추상화의 완성형은 Call-by-reference를 이용한 전달입니다. 잊지마세요!
          * 구조체와 함수 - 구조체도 다른변수와 마찬가지로 Call-by-value와 Call-by-reference방식으로 넘기게 됩니다.
          referencefunc(&myfood);
  • 임인택/코드 . . . . 4 matches
          DWORD dwConversion, dwSentence;
          ImmGetConversionStatus(himc, &dwConversion, &dwSentence);
          ImmSetConversionStatus(himc, IME_CMODE_NATIVE, dwSentence);
          ImmSetConversionStatus(himc, IME_CMODE_ALPHANUMERIC, dwSentence);
  • 2010Python . . . . 3 matches
          * [http://ocw.mit.edu/courses/electrical-engineering-and-computer-science/6-00-introduction-to-computer-science-and-programming-fall-2008/index.htm MIT Open Courseware 6.00 Introduction to Computer Science and Programming]
  • Classes . . . . 3 matches
         [http://ocw.mit.edu/OcwWeb/Electrical-Engineering-and-Computer-Science/6-045JSpring-2005/CourseHome/index.htm MIT open course ware] [[ISBN(0534950973)]]
         [http://ocw.mit.edu/OcwWeb/Electrical-Engineering-and-Computer-Science/6-837Fall2003/CourseHome/index.htm MIT open course ware]
         [http://ocw.mit.edu/OcwWeb/Electrical-Engineering-and-Computer-Science/6-828Fall2003/CourseHome/index.htm MIT open courseware] [[ISBN(1573980137)]]
  • DPSCChapter2 . . . . 3 matches
         Before launching into our descriptions of specific design patterns, we present a case study of sorts, involving multiple patterns. In the Design Pattern preface, the Gang of Four speak about moving from a "Huh?" to an "Aha!" experience with regard to understanding design patterns. We present here a little drama portraying such a transition. It consists of three vignettes: three days in the life of two Smalltalk programmers who work for MegaCorp Insurance Company. We are listening in on conversations between Don (an object newbie, but an experienced business analyst) and Jane (an object and pattern expert). Don comes to Jane with his design problems, and they solve them together. Although the characters are fictitious, the designs are real and have all been part of actual systems written in Smalltalk. Our goal is to demonstrate how, by careful analysis, design patterns can help derive solutions to real-world problems.
          5. Adjudication of Pended Claims. The adjudicator can access the system for a claim history or a representation of the original claim. The adjudicator either approves the claim for payment, specifying the proper amount to pay, or generates correspondence denying the claim.
  • Eclipse . . . . 3 matches
          * 외부 {{{~cpp JavaDoc}}} ''Preferences -> Java -> Installed JREs -> Javadoc URL''
         || Alt+Shift+Q + ? || Window->Preference->workspace->key->Advenced 의 Help Me... 옵션을 키고 Alt+Shift+Q를 누르고 기다려 보자 ||
  • EffectiveC++ . . . . 3 matches
         === Item 15: Have operator= return a reference to *this ===
          return *this; // return reference
          return rhs; // return reference to
  • FortuneCookies . . . . 3 matches
          * You have a will that can be influenced by all with whom you come in contact.
          * You have the power to influence all with whom you come in contact.
          * Mind your own business, Spock. I'm sick of your halfbreed interference.
  • Gof/Command . . . . 3 matches
         때때로 MenuItem은 연속된 명령어들의 일괄수행을 필요로 한다. 예를 들어서 해당 페이지를 중앙에 놓고 일반크기화 시키는 MenuItem은 CenterDocumentCommand 객체와 NormalSizeCommand 객체로 만들 수 있다. 이러한 방식으로 명령어들을 이어지게 하는 것은 일반적이므로, 우리는 복수명령을 수행하기 위한 MenuItem을 허용하기 위해 MacroCommand를 정의할 수 있다. MacroCommand는 단순히 명령어들의 sequence를 수행하는 Command subclass의 구체화이다. MacroCommand는 MacroCommand를 이루고 있는 command들이 그들의 receiver를 정의하므로 명시적인 receiver를 가지지 않는다.
         == Consequences ==
         MacroCommand는 부명령어들의 sequence를 관리하고 부명령어들을 추가하거나 삭제하는 operation을 제공한다. subcommand들은 이미 그들의 receiver를 정의하므로 MacroCommand는 명시적인 receiver를 요구하지 않는다.
  • JavaNetworkProgramming . . . . 3 matches
          *SequenceInputStream : 일련의 InputStream들이 순차적으로 연결된다. 하나의 SequenceInputStream에 여러 InputStream이 연결되서 하나의 긴 InputStream처럼 보인다.
          *DataOutputStream,DataInputStream,BufferedOutputStream,BufferedInputStream,PrintStream,SequenceInputStream,LineNumberInputStream,PushbackInputStream 클래스에 관해서 좀 자세히 설명을 해놓고 있다.
  • MoreEffectiveC++/Miscellany . . . . 3 matches
         출반된 1990년 이후, ''The Annotated C++ Reference Manual''은 프로그래머들에게 C++에 정의에 참고문서가 되어 왔다. ARM기 나온 이후에 몇년간 ''ISO/ANSI committe standardizing the language'' 는 크고 작게 변해 왔다. 이제 C++의 참고 문서로 ARM은 더 이상 만족될수 없다.
         템플릿으로의 변환에서 값으로의 전달을 reference to const 로 전달로 변화시킬 방법이 없음을 주목해라. 각 값으로의 인자 전달은 우리에게 매번 객체의 생성과파괴의 비용을 지불하게 만든다. 우리는 pass-by-reference를 사용해서, 아무런 객체의 생성과 파괴를 하지 않도록 만들어서 해당 비용을 피해야 한다.
  • NSIS_Start . . . . 3 matches
          * 주요 Reference 의 명령어들에 대해 번역. 1차 초안 완료.
          * ["NSIS/Reference"] - 주요 스크립트 명령어들 관련 reference
  • PythonLanguage . . . . 3 matches
         이미 다른 언어들을 한번쯤 접해본 사람들은 'QuickPythonBook' 을 추천한다. 예제위주와 잘 짜여진 편집으로 접근하기 쉽다. (두께도 별로 안두껍다!) Reference 스타일의 책으로는 bible 의 성격인 'Learning Python' 과 Library Reference 인 'Python Essential Reference' 이 있다.
  • ReadySet 번역처음화면 . . . . 3 matches
         These templates are not one-size-fits-all and they do not attempt to provide prescriptive guidance on the overall development process. We are developing a broad library of template modules for many purposes and processes. The templates may be filled out in a suggested sequence or in any sequence that fits your existing process. They may be easily customized with any text or HTML editor.
         We will build templates for common software engineering documents inspired by our own exprience.
  • SmalltalkBestPracticePatterns/DispatchedInterpretation . . . . 3 matches
         Objects change all this. How you distribute responsibility among objects is the critical decision, encoding is a distant second. For the most part, in well factored programs, only a single object is interested in a piece of information. That object directly references the information and privately performs all the needed encoding and decoding.
         Sometimes, however, information in one object must influence the behavior of another. When the uses of the information are simple, or the possible choices based on the information limited, it is sufficient to send a message to the encoded object. Thus, the fact that boolean values are represented as instances of one of two classes, True and False, is hidden behind the message #ifTrue:ifFalse:.
         For example, consider a graphical Shape represented by a sequence of line, curve, stroke, and fill commands. Regardless of how the Shape is represented internally, it can provide a message #commandAt: anInteger that returns a Symbol representing the command and #argumentsAt: anInteger that returns an array of arguments. We could use these messages to write a PostScriptShapePrinter that would convert a Shape to PostScript:
  • TellVsAsk . . . . 3 matches
         examining some referenced
         아마 당신은 이렇게 말할지도 모른다. "나는 그런 코드를 작성한 적이 없어!" 하지만, referenced object 의 값을 조사해서 그 결과값에 따라 각각 다른 메소드를 호출하는 식으로 적당히 구현하며 얼머무리는 경우는 흔하다.
         Reference - Smalltalk By Example 중 'Tell, Don't Ask' (http://www.iam.unibe.ch/~ducasse/WebPages/FreeBooks.html 에 공개되어있다.)
  • UML서적관련추천 . . . . 3 matches
         UML 을 만든 소위 Three-Amigo 라 불리는 3명이 저자인 책입니다. Grady Booch, Ivar Jacobson, James Rumbaugh. 1판 번역서가 도서관에 있던걸로 기억하는데, 앞부분만 읽어보셔도 정말 예술인 책입니다. 처음 읽었을때, '모델' 이라는 개념에 대해서 이렇게 멋지게 서술한 책이 또 있을까 생각이 들던 책이였습니다. 그리고, UML 을 공부할때 소위 '정석적'이라고 이야기하는 것들은 아마 이 유저가이드나 Reference Manual 에서 언급된 설명을 기준으로 말할 것이라 생각이 듭니다.
         The Unified Modeling Language Reference Manual (2/E)
         참고로, 저는 Reference Manual 은 안읽어봤고, 위의 두 권은 읽어봤습니다. 그리고 UML 3일 가이드 같은 가벼운 책들을 읽었습니다. (하지만, 기억력이 나빠서.. 종종 다시 읽으면서 리프레쉬 해야 합니다;; 아마 조교 치고 다이어그램 자주 틀릴 겁니다;;;)
  • UseSTL . . . . 3 matches
          * Text Book : Generic Programming and the STL , STL Tutorial and Reference Guide Second edition
          * STL Tutorial and Reference Guide Second edition 의 Tutorial부 예제 작성
          * STL 책중에는 STL Tutorial and Reference Guide Second edition 가 제일 좋지 않나요? 이펙티브 STL 은 아직 책꽂이에서 잠들고있는중이라..-.-a - 임인택
  • User Stories . . . . 3 matches
         User stories serve the same purpose as use cases but are not the same. They are used to create time estimates for the release planning meeting. They are also used instead of a large requirements document. User Stories are written by the customers as things that the system needs to do for them. They are similar to usage scenarios, except that they are not limited to describing a user interface. They are in the format of about three sentences of text written by the customer in the customers terminology without techno-syntax.
         difference is in the level of detail. User stories should only provide enough detail to make a reasonably low risk estimate of how long the story will take to implement. When the time comes to implement the story developers will go to the customer and receive a detailed description of the requirements face to face.
         Another difference between stories and a requirements document is a focus on user needs. You should try to avoid details of specific technology, data base layout, and algorithms. You should try to keep stories focused on user needs and benefits as opposed to specifying GUI layouts.
  • [Lovely]boy^_^/Diary/12Rest . . . . 3 matches
          * I read a Squeak chapter 3,4. Its sentence is so easy.
          * I modify above sentence.--; I test GetAsyncKeyState(), but it's speed is same with DInput.--; How do I do~~~?
          * I saw a very good sentence in 'The Fighting'. It's "Although you try very hard, It's no gurantee that you'll be success. But All succecssfull man have tried."
  • [Lovely]boy^_^/EnglishGrammer/PresentAndPast . . . . 3 matches
          C. We use do/does to make questions and negative sentences.( 의문문이나 부정문 만들떄 do/does를 쓴다 )
          We use am/is/are being to say how somebody is behaving. It is not usually possible in other sentences.
          Be careful when do is the main verb in the sentence.(do가 주동사일때 주의하래요)
  • [Lovely]boy^_^/EnglishGrammer/ReportedSpeech . . . . 3 matches
          B. When we use reported speech, the main verb of the sentence is usually past. The rest of the sentence is usually past, too :
          But you must use a past form when there is a difference between what was said and what is really true.(--; 결국은 과거 쓰란 얘기자나)
  • neocoin/Log . . . . 3 matches
          * SWEBOK (Software Engineering Body of Knowledge) : SE Reference
          * 2.21 JOC Conference 의 트렉 4 JXTA, JMF, JavaTV
          * ["Refactoring"] : Reference 부분 1차 초안 완료
  • 나를만든책장관리시스템/DBSchema . . . . 3 matches
         || cContributor || int(11) || FK references bm_tblMember(mID) on delete no action on update cascade ||
         || cBook || unsigned int || FK references bm_tblBook(bID) on delete no action on update cascade ||
         || mID || int(11) || PK, FK references zb_member_list(member_srl) on delete no action on update cascade ||
  • 논문번역/2012년스터디/김태진 . . . . 3 matches
         == 1.7 Linear Independence 선형 독립성 ==
          등식 (2)는 가중치가 모두 0이 아닐 때 v1...vp사이에서 linear independence relation(선형 독립 관계)라고 한다. 그 인덱싱된 집합이 선형 독립 집합이면 그 집합은 선형독립임이 필요충분 조건이다. 간단히 말하기위해, 우리는 {v1,,,vp}가 선형독립 집합을 의미할때 v1...vp가 독립이라고 말할지도 모른다. 우리는 선형 독립 집합에게 유사한 용어들을 사용한다.
         Linear Independence of Matrix Columns 행렬 행에 대한 선형 독립성
  • 삼총사CppStudy/Inheritance . . . . 3 matches
          int m_Defence;
          int m_Defence;
          int m_Defence;
  • 새싹교실/2011 . . . . 3 matches
          * 테스트는 [http://winapi.co.kr/clec/reference/assert.gif assert]함수를 통해 간단히 만들 수 있습니다.
         ||3||computer science의 기초적인 내용:
          shorthand operator, operator precedence
  • 새싹교실/2012/개차반 . . . . 3 matches
          * escape sequence
          * 역슬래시 (\, Escape sequence)
          * precedence
  • 새싹교실/2012/새싹교실강사교육/3주차 . . . . 3 matches
         - 배열, 포인터, 어드레스, 함수, Call-by-value, Call-by-reference, 구조체 -
         3.4 Call-by-value, Call-by-reference.? 무엇이 다른가?
         C Library reference Guide http://www.acm.uiuc.edu/webmonkeys/book/c_guide/
  • 새싹교실/2012/세싹 . . . . 3 matches
          U16 SequenceNumber;
          http://www.winapi.co.kr/reference/Function/CreateFile.htm
          http://www.winapi.co.kr/reference/Function/ReadFile.htm
  • 정모/2002.5.30 . . . . 3 matches
          * PairProgramming 에 대한 오해 - 과연 그 영향력이 '대단'하여 PairProgramming을 하느냐 안하느냐가 회의의 관건이 되는건지? 아까 회의중에서도 언급이 되었지만, 오늘 회의 참석자중에서 실제로 PairProgramming 을 얼마만큼 해봤는지, PairProgramming 을 하면서 서로간의 무언의 압력을 느껴봤는지 (그러면서 문제 자체에 대해 서로 집중하는 모습 등), 다른 사람들이 프로그래밍을 진행하면서 어떠한 과정을 거치는지 보신적이 있는지 궁금해지네요. (프로그래밍을 하기 전에 Class Diagram 을 그린다던지, Sequence Diagram 을 그린다던지, 언제 API를 뒤져보는지, 어떤 사이트를 돌아다니며 자료를 수집하는지, 포스트잎으로 모니터 옆에 할일을 적어 붙여놓는다던지, 인덱스카드에 Todo List를 적는지, 에디트 플러스에 할일을 적는지, 소스 자체에 주석으로 할 일을 적는지, 주석으로 프로그램을 Divide & Conquer 하는지, 아니면 메소드 이름 그 자체로 주석을 대신할만큼 명확하게 적는지, cookbook style 의 문서를 찾는지, 집에서 미리 Framework 를 익혀놓고 Reference만 참조하는지, Reference는 어떤 자료를 쓰는지, 에디터는 주로 마우스로 메뉴를 클릭하며 쓰는지, 단축키를 얼마만큼 효율적으로 이용하는지, CVS를 쓸때 Wincvs를 쓰는지, 도스 커맨드에서 CVS를 쓸때 배치화일을 어떤식으로 작성해서 쓰는지, Eclipse 의 CVS 기능을 얼마만큼 제대로 이용하는지, Tool들에 대한 정보는 어디서 얻는지, 언제 해당 툴에 대한 불편함을 '느끼는지', 문제를 풀때 Divide & Conquer 스타일로 접근하는지, Bottom Up 스타일로 접근하는지, StepwiseRefinement 스타일를 이용하는지, 프로그래밍을 할때 Test 를 먼저 작성하는지, 디버깅 모드를 어떻게 이용하는지, Socket Test 를 할때 Mock Client 로서 어떤 것을 이용하는지, 플밍할때 Temp 변수나 Middle Man들을 먼저 만들고 코드를 전개하는지, 자신이 만들려는 코드를 먼저 작성하고 필요한 변수들을 하나하나 정의해나가는지 등등.)
  • 1002/Journal . . . . 2 matches
         중간 개개의 모듈을 통합할때쯤에 이전에 생각해둔 디자인이 제대로 기억이 나지 않았다.; 이때 Sequence Diagram 을 그리면서 프로그램의 흐름을 천천히 생각했다. 어느정도 진행된 바가 있고, 개발하면서 개개별 모듈에 대한 인터페이스들을 정확히 알고 있었기 때문에, Conceptual Model 보다 더 구체적인 Upfront 로 가도 별 무리가 없다고 판단했다. 내가 만든 모듈을 일종의 Spike Solution 처럼 접근하고, 다시 TDD를 들어가고 하니까 중간 망설임 없이 거의 일사천리로 작업하게 되었다.
          1. 무엇을 할것인가 : 어떻게 할 것인가의 관점. 나는 초기에 학교 전공 중 Science 와 Engineeing 의 기준을 저것으로 나누었었다. 내가 '무엇을 공부할까?' 라고 질문을 할때는 앞의 분류를, '어떻게 할것인가?' 라는 질문을 할때는 뒤의 분류를. 바로 적용되진 않겠지만, "OOP 는 '프로그래밍을 어떻게 할것인가?' 라는 분류에 속한다" 라고 말해주면 머릿속에서 분류하기 편할것이란 생각을 했다.
  • 2010JavaScript/강소현/연습 . . . . 2 matches
         usemap="#evidence" />
         <map name="evidence">
  • 2학기파이선스터디/ 튜플, 사전 . . . . 2 matches
         >>> dic['dictionary'] = '1. A reference book containing an alphabetical list of words, ...'
         '1. A reference book containing an alphabetical list of words, ...'
  • AcceleratedC++/Chapter11 . . . . 2 matches
          typedef T& reference;
          typedef const T& const_reference;
  • AcceleratedC++/Chapter13 . . . . 2 matches
          maxlen = max(maxlen, record->name().size());// dereference
          // `students[i]' is a pointer that we dereference to call the functions
  • Adapter . . . . 2 matches
         === A C++/Smalltalk Difference ===
         자 그럼 Adapter를 적용시키는 시나리오를 시작해 본다. ''Design Patterns''(DP139)에서 DrawingEditor는 그래픽 객체들과 Shape의 상속도상의 클래스 인스턴스들을 모아 관리하였다. DrawingEditor는 이런 그래픽 객체들과의 소통을 위하여 Shape 프로토콜을 만들어 이 규칙에 맞는 메세지를 이용한다. 하지만 text인자의 경우 우리는 이미 존재하고 있는 TextView상에서 이미 구현된 기능을 사용한다. 우리는 DrawEditior가 TextView와 일반적으로 쓰이는 Shape와 같이 상호작용 하기를 원한다. 그렇지만 TextView는 Shape의 프로토콜을 따르지 않는 다는 점이 문제이다. 그래서 우리는 TextShap의 Adapter class를 Shape의 자식(subclass)로 정의 한다. TextShape는 인스턴스로 TextView의 참조(reference)를 가지고 있으며, Shape프로토콜상에서의 메세지를 사용한다.; 이들 각각의 메세지는 간단히 다른 메세지로 캡슐화된 TextView에게 전달되어 질수 있다. 우리는 그때 TextShape를 DrawingEditor와 TextView사이에 붙인다.
  • BabyStepsSafely . . . . 2 matches
         Our first activity is to refactor the tests. [We might need some justification정당화 for refactoring the tests first, I was thinking that it should tie동여매다 into writing the tests first] The array method is being removed so all the test cases for this method need to be removed as well. Looking at Listing2. "Class TestsGeneratePrimes," it appears that the only difference in the suite of tests is that one tests a List of Integers and the other tests an array of ints. For example, testListPrime and testPrime test the same thing, the only difference is that testListPrime expects a List of Integer objects and testPrime expects and array of int variables. Therefore, we can remove the tests that use the array method and not worry that they are testing something that is different than the List tests.
  • C/C++어려운선언문해석하기 . . . . 2 matches
         // a reference to an int and a pointer
         // reference to an int as an argument
  • C99표준에추가된C언어의엄청좋은기능 . . . . 2 matches
          The new variable-length array (VLA) feature is partially available. Simple VLAs will work. However, this is a pure coincidence; in fact, GNU C has its own variable-length array support. As a result, while simple code using variable-length arrays will work, a lot of code will run into the differences between the older GNU C support for VLAs and the C99 definition. Declare arrays whose length is a local variable, but don't try to go much further.
  • CubicSpline/1002/test_NaCurves.py . . . . 2 matches
          def testFunctionExistence(self):
          def testPiecewiseExistence(self):
  • DoItAgainToLearn . . . . 2 matches
         In my own experience of designing difficult algorithms, I find a certain technique most helpfult in expanding my own capabilities. After solving a challenging problem, I solve it again from scratch, retracing only the ''insight'' of the earlier solution. I repeat this until the solution is as clear and direct as I can hope for. Then I look for a general rule for attacking similar problems, that ''would'' have led me to approach the given problem in the most efficient way the first time. Often, such a rule is of permanent value. ...... The rules of Fortran can be learned within a few hours; the associated paradigms take much longer, both to learn and to unlearn. --Robert W. Floyd
         Seminar:SoftwareDevelopmentMagazine 에서 OOP의 대가 Uncle Bob은 PP와 TDD, 리팩토링에 대한 기사를 연재하고 있다. [http://www.sdmagazine.com/documents/s=7578/sdm0210j/0210j.htm A Test of Patience]라는 기사에서는 몇 시간, 혹은 몇 일 걸려 작성한 코드를 즐겁게 던져버리고 새로 작성할 수도 있다는 DoItAgainToLearn(혹은 {{{~cpp DoItAgainToImprove}}})의 가르침을 전한다.
  • DocumentObjectModel . . . . 2 matches
         Different variants of DOMs were initially implemented by web browsers to manipulate elements in an HTML document. This prompted the World Wide Web Consortium (W3C) to come up with a series of standard specifications for DOM (hence called W3CDOM).
         Most XML parsers (e.g., Xerces) and XSL processors (e.g., Xalan) have been developed to make use of the tree structure. Such an implementation requires that the entire content of a document be parsed and stored in memory. Hence, DOM is best used for applications where the document elements have to be randomly accessed and manipulated. For XML-based applications which involve a one-time selective read/write per parse, DOM presents a considerable overhead on memory. The SAX model is advantageous in such a case in terms of speed and memory consumption.
  • Eclipse와 JSP . . . . 2 matches
         Windows->Preferences->Tomcat 선택 후
         (필요한 경우) Windows->Preferences->Tomcat->Advanced 선택 후
  • Garbage collector for C and C++ . . . . 2 matches
         # of objects to be recognized. (See gc_priv.h for consequences.)
         # in a sepearte postpass, and hence their memory won't be reclaimed.
  • Gof/Facade . . . . 2 matches
          - facade 에 대한 정보가 필요없다. facade object에 대한 reference를 가지고 있을 필요가 없다.
         == Consequences ==
  • Gof/Mediator . . . . 2 matches
         == Consequences ==
         FontDialogDirector는 그것이 display하는 widget을 추적한다. 그것은 widget들을 만들기 위해서 CreateWidget을 재정의하고 그것의 reference로 그것들을 초기화한다.
  • HelpOnMacros . . . . 2 matches
         ||{{{[[UserPreferences]]}}} || 사용자 환경설정 || UserPreferences ||
  • HelpOnUserPreferences . . . . 2 matches
         #keywords preferences,user
         User``Preferences에서 설정하실 수 있는 것으로는 다음과 같은 것이 있습니다.:
  • HowToStudyDesignPatterns . . . . 2 matches
          ''We were not bold enough to say in print that you should avoid putting in patterns until you had enough experience to know you needed them, but we all believed that. I have always thought that patterns should appear later in the life of a program, not in your early versions.''
          ''The other thing I want to underscore here is how to go about reading Design Patterns, a.k.a. the "GoF" book. Many people feel that to fully grasp its content, they need to read it sequentially. But GoF is really a reference book, not a novel. Imagine trying to learn German by reading a Deutsch-English dictionary cover-to-cover;it just won't work! If you want to master German, you have to immerse yourself in German culture. You have to live German. The same is true of design patterns: you must immerse yourself in software development before you can master them. You have to live the patterns.
  • JUnit/Ecliipse . . . . 2 matches
         Eclipse 플랫폼을 실행하시고, Window->Preference 메뉴를 선택하시면 Preferences 대화창이 열립니다. 왼쪽의 트리구조를 보시면 Java 라는 노드가 있고, 하위 노드로 Build Path 에 보시면 Classpath Varialbles 가 있습니다.
  • KeyNavigator . . . . 2 matches
         || Alt + c || 오른쪽 상단의 UserPreferences ||
          1. Alt + c , Enter : UserPreferences 로 이동
  • Linux/ElectricFence . . . . 2 matches
         = ElectricFence =
         http://en.wikipedia.org/wiki/Electric_Fence
  • MineFinder . . . . 2 matches
         [해성] 오오.. Artificial Intelligence.. -_- 근데 저 스펠링이 맞나..[[BR]]
         2 occurrence(s) have been found.
  • MineSweeper/황재선 . . . . 2 matches
          * Window - Preferences - Java - Code Style - Code Templates
          * Window - Preferences - Java - Code Style - Code Templates
  • MoinMoinNotBugs . . . . 2 matches
         This is not an Opera bug. The HTML is invalid. '''The blocks are overlapping, when they are not allowed to:''' P UL P /UL UL P /UL is not a sensible code sequence. (It should be P UL /UL P UL /UL P... giddyupgiddyup?)
         I suspect this problem is pervasive, and I also suspect that the solution is almost moot; probably a one-off counting problem, or a mis-ordered "case" sort of sequence. If the /UL closing tag were to precede the P opening tag, all would be well.
  • OpenCamp . . . . 2 matches
          * 주제: Web Conference
          * 주제: Java Conference
  • PairProgramming . . . . 2 matches
         이 때에는 Expert는 놀지말고 (-_-;) Observer의 역할에 충실한다. Junior 의 플밍하는 부분을 보면서 전체 프로그램 내의 관계와 비교해보거나, '자신이라면 어떻게 해결할까?' 등 문제를 제기해보거나, reference, 관련 소스를 준비해주는 방법이 있다.
          * 자존심문제? - Pair를 의식해서여서인지 상대적으로 Library Reference나 Tutorial Source 를 잘 안보려고 하는 경향이 있기도 하다. 해당 부분에 대해서 미리 개인적 또는 Pair로 SpikeSolution 단계를 먼저 잡고 가벼운 마음으로 시작해보는 것은 어떨까 한다.
  • PragmaticVersionControlWithCVS/Getting Started . . . . 2 matches
         Merging differences between 1.2 and 1.3 into number.txt
         Merging differences between 1.4 and 1.5 into number.txt
  • ProgrammingLanguageClass/2006/Report3 . . . . 2 matches
         C supports two kinds of parameter passing mode, pass-by-value and pass-byreference,
         treat the actual parameters as thunks. Whenever a formal parameter is referenced in a
  • ProjectPrometheus/CollaborativeFiltering . . . . 2 matches
          *userPref is a set of book preferences of a user.
          *bookPref is a set of book preferences of a book. (similar concept to "also bought")
  • ProjectPrometheus/CookBook . . . . 2 matches
          <res-ref-name>jdbc/'reference 이름'</res-ref-name>
          <init-param url="jdbc:mysql://서버주소:서버IP/reference 이름"/>
  • ProjectPrometheus/MappingObjectToRDB . . . . 2 matches
         ProjectPrometheus 는 RDB-Object 연동을 할때 일종의 DataMapper 를 구현, 적용했었다. 지금 생각해보면 오히려 일을 복잡하게 한게 아닌가 하는 생각을 하게 된다. Object Persistence 에 대해서 더 간단한 방법을 추구하려고 노력했다면 어떻게 접근했을까. --["1002"]
         한편으로 [http://www.xpuniverse.com/2001/pdfs/EP203.pdf Up-Front Design Versus Evolutionary Design In Denali's Persistence Layer] 의 글을 보면. DB 관련 퍼시스턴트 부분에 대해서도 조금씩 조금씩 발전시킬 수 있을 것 같다. 발전하는 모양새의 중간단계가 PEAA 에서의 Table/Row Gateway 와도 같아 보인다.
  • ProjectZephyrus/ClientJourney . . . . 2 matches
         다음번에 창섭이와 Socket Programming 을 같은 방법으로 했는데, 앞에서와 같은 효과가 나오지 않았다. 중간에 왜그럴까 생각해봤더니, 아까 GUI Programming 을 하기 전에 영서와 UI Diagram 을 그렸었다. 그러므로, 전체적으로 어디까지 해야 하는지 눈으로 확실히 보이는 것이였다. 하지만, Socket Programming 때는 일종의 Library를 만드는 스타일이 되어서 창섭이가 전체적으로 무엇을 작성해야하는지 자체를 모르는 것이였다. 그래서 중반쯤에 Socket관련 구체적인 시나리오 (UserConnection Class 를 이용하는 main 의 입장과 관련하여 서버 접속 & 결과 받아오는 것에 대한 간단한 sequence 를 그렸다) 를 만들고, 진행해 나가니까 진행이 좀 더 원할했다. 시간관계상 1시간정도밖에 작업을 하지 못한게 좀 아쉽긴 하다.
         1002의 경우 UML을 공부한 관계로, 좀 더 구조적으로 서술 할 수 있었던 것 같다. 설명을 위해 Conceptual Model 수준의 Class Diagram 과 Sequence, 그리고 거기에 Agile Modeling 에서 잠깐 봤었던 UI 에 따른 페이지 전환 관계에 대한 그림을 하나 더 그려서 설명했다. 하나의 프로그램에 대해 여러 각도에서 바라보는 것이 프로그램을 이해하는데 더 편했던 것 같다. [[BR]]
  • Refactoring/RefactoringReuse,andReality . . . . 2 matches
         == Resources and References for Refactoring ==
         == Reference ==
  • ReleasePlanning . . . . 2 matches
         The essence of the release planning meeting is for the development team to estimate each user story in terms of ideal programming weeks. An ideal week is how long you imagine it would take to implement that story if you had absolutely nothing else to do.
         Management can only choose 3 of the 4 project variables to dictate, development always gets the remaining variable. Note that lowering quality less than excellent has unforeseen impact on the other 3. In essence there are only 3 variables that you actually want to change. Also let the developers moderate the customers desire to have the project done immediately by hiring too many people at one time.
  • SWEBOK . . . . 2 matches
          * SWEBOK 은 이론 개론서에 속하며 마치 지도와도 같은 책이다. SWEBOK 에서는 해당 SE 관련 지식에 대해 구체적으로 가르쳐주진 않는다. SWEBOK 는 해당 SE 관련 Knowledge Area 에 대한 개론서이며, 해당 분야에 대한 실질적인 지식을 위해서는 같이 나와있는 Reference들을 읽을 필요가 있다. (Reference를 보면 대부분의 유명하다 싶은 책들은 다 나와있다. -_-;) --석천
  • SchemeLanguage . . . . 2 matches
          * [http://www.swiss.ai.mit.edu/projects/scheme/documentation/scheme.html MIT Scheme Reference]
          * http://zeropage.org/pub/language/scheme/quickref.txt - Quick Reference로 프로그래밍을 할 때 참고할만한 자료
  • Self-describingSequence/문보창 . . . . 2 matches
         // 10049 - Self-describingSequence
         [Self-describingSequence]
  • Self-describingSequence/조현태 . . . . 2 matches
          == [Self-describingSequence/조현태] ==
         [Self-describingSequence]
  • Spring/탐험스터디/wiki만들기 . . . . 2 matches
          * ORM(Object Relation Mapping) 프레임워크. Java persistence, EJB3.0을 같이 알면 좋다.
          * Lisence : LGPL
  • TCP/IP 네트워크 관리 / TCP/IP의 개요 . . . . 2 matches
          *1985 - NSF(National Science Foundation) -> '''NSFNET'''
          *ISO(International Standards Organization, 국제 표준기구)에 의해 개발된 구조적 모델 '''OSI'''(Open Systems Interconnect Reference Model)은 데이터 통신 프로토콜 구조와 기능 설명을 위해 자주 사용.
  • TdddArticle . . . . 2 matches
         여기에서의 TDD 진행 방법보다는 Reference 와 사용 도구들에 더 눈길이 간다. XDoclet 와 ant, O-R 매핑 도구를 저런 식으로도 쓸 수 있구나 하는 것이 신기. 그리고 HSQLDB 라는 가벼운 (160kb 정도라고 한다) DB 로 로컬테스트 DB 를 구축한다는 점도.
         reference 쪽은 최근의 테스트와 DB 관련 최신기술 & 문서들은 다 나온 듯 하다. 익숙해지면 꽤 유용할 듯 하다. (hibernate 는 꽤 많이 쓰이는 듯 하다. Intellij 이건 Eclipse 건 플러그인들이 다 있는걸 보면. XDoclet 에서도 지원)
  • TwistingTheTriad . . . . 2 matches
         One significant difference in MVP is the removal of the controller. Instead, the view is expected to handle the raw user interface events generated by the operating system (in Windows these come in as WM_xxxx messages) and this way of working fits more naturally into the style of most modern operating systems. In some cases, as a TextView, the user input is handled directly by the view and used to make changes to the model data. However, in most cases the user input events are actually routed via the presenter and it is this which becomes responsible for how the model gets changed.
         While it is the view's responsibility to display model data it is the presenter that governs how the model can be manipulated and changed by the user interface. This is where the heart of an application's behaviour resides. In many ways, a MVP presenter is equivalent to the application model in MVC; most of the code dealing with how a user interface works is built into a presenter class. The main difference is that a presenter is ''directly'' linked to its associated view so that the two can closely collaborate in their roles of supplying the user interface for a particular model.
  • WhyWikiWorks . . . . 2 matches
          * wiki is not wysiwyg. It's an intelligence test of sorts to be able to edit a wiki page. It's not rocket science, but it doesn't appeal to the TV watchers. If it doesn't appeal, they don't participate, which leaves those of us who read and write to get on with rational discourse.
  • WikiSandPage . . . . 2 matches
         [[UserPreferences]]
          => UserPreferences를 불러온 다음 내용 읽기가 불가
  • XMLStudy_2002/Start . . . . 2 matches
          * XML 문서에서 엔티티를 사용하는 방식(Entity Reference)
         === 문자 참조(Charater Reference) ===
  • eclipse단축키 . . . . 2 matches
          * Windows - Preferences - General - Editors - Text Editors - 80라인 제한 선, 라인 수 보이기
          * References in workspace 참조하고 있는 메소드 보여준다.
  • html5 . . . . 2 matches
         == reference ==
          * 가장 좋은 api reference는 http://dev.w3.org/html5/ 입니다.
  • radiohead4us/SQLPractice . . . . 2 matches
         18. Find all customers who have at most one account at the Perryridge branch. (4.6.4 Test for the Absence of Duplicate Tuples)
         19. Find all customers who have at least two accounts at the Perryridge branch. (4.6.4 Test for the Absence of Duplicate Tuples)
  • 객체지향분석설계 . . . . 2 matches
         == SequenceDiagram 작성 ==
          위의 분석을 바탕으로 하여 Sequence Diagram을 개략적으로 작성한다. 역시 Actor와 각 클래스들을 미리 배치한 다음 필요한 조작들을분석한다.
  • 기억 . . . . 2 matches
          i. 감정 : 정의가(affective value)-감정이 극단 적인것이 더 잘기억, 기분 일치(mood congruence)-사람의 성격에 따라 기억 되는 단어, 상태 의존(state dependence)-술취한 사람, 학습 자세
  • 김수경/JavaScript/InfiniteDataStructure . . . . 2 matches
          * {{{naturalSequence().filter(limit(n)).reduce(sum)}}}
          * {{{filter(f(a)) := for each a in seq, sequence of a which f(a) is true.}}}
  • 만년달력/김정현 . . . . 2 matches
          private String getDayName(int sequence) {
          return dayNames[sequence];
  • 새싹교실/2011/學高/5회차 . . . . 2 matches
          * operator precedence/associativity
         -operator precedence(우선순위) << 이건 초등학교때 배운거.
  • 새싹교실/2011/쉬운것같지만쉬운반/2011.5.17 . . . . 2 matches
          5. Call by Value와 Call by Reference는 무엇인가?
          5. Call by Reference는 무엇인가?
  • 새싹교실/2012/AClass . . . . 2 matches
          3.call by value, call by reference에 관해 설명하고, 그것이 정확히 어떤 것인지, 어떤 문제가 생기는지 서술.
          * 동적할당, Swap, OOP, Class, Struct, call by value/reference
  • 새싹교실/2012/startLine . . . . 2 matches
          * 정확하게 알지 못 하는 부분들(함수, call by value, call by reference, 구조체, 포인터)
          * 처음에 간단하게 재현, 성훈이의 함수에 대한 지식을 확인했다. 그 후에 swap 함수를 만들어 보고 실행시의 문제점에 대해서 이야기를 했다. 함수가 실제로 인자를 그대로 전달하지 않고 값을 복사한다는 것을 이야기 한 후에 포인터에 대한 이야기로 들어갔다. 개인적으로 새싹을 시작하기 전에 가장 고민했던 부분이 포인터를 어떤 타이밍에 넣는가였는데, 아무래도 call-by-value의 문제점에 대해서 이야기를 하면서 포인터를 꺼내는 것이 가장 효과적이지 않을까 싶다. 그 후에는 주로 그림을 통해서 프로그램 실행시 메모리 구조가 어떻게 되는지에 대해서 설명을 하고 포인터 변수를 통해 주소값을 넘기는 방법(call-by-reference)을 이야기했다. 그리고 malloc을 이용해서 메모리를 할당하는 것과 배열과 포인터의 관계에 대해서도 다루었다. 개인적인 느낌으로는 재현이는 약간 표현이 소극적인 것 같아서 정확히 어느 정도 내용을 이해했는지 알기가 어려운 느낌이 있다. 최대한 메모리 구조를 그림으로 알기 쉽게 표현했다고 생각하는데, 그래도 정확한 이해도를 알기 위해서는 연습문제 등이 필요하지 않을까 싶다. 성훈이는 C언어 자체 외에도 이런저런 부분에서 질문이 많았는데 아무래도 C언어 아래 부분쪽에 흥미가 좀 있는 것 같다. 그리고 아무래도 예제를 좀 더 구해야 하지 않을까 하는 생각이 든다. - [서민관]
  • 알고리즘2주숙제 . . . . 2 matches
         3. (Basic)Solve the recurrence
         6~8 Give a generating fuction for the sequence {a<sub>n</sub>}.
  • 알고리즘3주숙제 . . . . 2 matches
         from [http://www.csc.liv.ac.uk/~ped/teachadmin/algor/d_and_c.html The university of liverpool of Computer Science Department]
         Note: The algorithm below works for any number base, e.g. binary, decimal, hexadecimal, etc. We use decimal simply for convenience.
  • 이영호/기술문서 . . . . 2 matches
         [http://bbs.kldp.org/viewtopic.php?t=24407] - Reference 에 의한 호출과 Pointer에 의한 호출 (결론: Reference는 포인터에 의해 구현되며 표현만 CallByValue 다.)
  • 작은자바이야기 . . . . 2 matches
          * Persistence Layer
          * DIP (depencency inversion principle) : 구체클래스를 사용할 때 구체클래스를 직접 사용하지 않고 추상화 된 인터페이스를 통해서 사용하게 하는 디자인 패턴.
  • 정모/2012.3.12 . . . . 2 matches
          당장 학우들이 학교에서 배우는 버전은 아마도 Java SE 5.0과 6일 것이므로 혼란을 피하기 위해 JLS 3e 기준으로 설명했습니다. Java SE 7의 JLS SE7e 에서는 The Diamond <>를 이용한 Type inference가 추가된 것이 가장 큰 특징이지요. 이를테면,
          * 요즘은 C++0x를 봐도 그렇고, Java를 봐도 그렇고.. type inference를 선호하는 것 같네요?ㅋㅋ -[박성현]
  • 졸업논문/참고문헌 . . . . 2 matches
         [6] "Model reference", http://www.djangoproject.com/documentation/model_api/
         [7] "Database API reference", http://www.djangoproject.com/documentation/db_api/#retrieving-objects
  • 캠이랑놀자 . . . . 2 matches
         || 12 || 06.1.11 || [캠이랑놀자/060111] 1시 || Image Difference, Convolution Filter (Average, Sobel, ..~) || . ||
         || 15 || 06.1.19 || . || CAM App 2차 시도 - CAM Version Difference Filter || . ||
  • 02_C++세미나 . . . . 1 match
         이것 외에도 '''Call by reference''' 라는 방법이 하나 더 있다.
  • 2002년도ACM문제샘플풀이/문제C . . . . 1 match
          Means Ends Analysis라고 하는데 일반적인 문제 해결 기법 중 하나다. 하노이 탑 문제가 전형적인 예로 사용되지. 인지심리학 개론 서적을 찾아보면 잘 나와있다. 1975년도에 튜링상을 받은 앨런 뉴엘과 허버트 사이먼(''The Sciences of the Artificial''의 저자)이 정립했지. --JuNe
  • 2005Fall수업 . . . . 1 match
         [http://aima.cs.berkeley.edu/ Artificial Intelligence: A Modern Approach 교재 관련]
  • 2학기파이선스터디/함수 . . . . 1 match
         add란 이름에 할당한다. 즉, 이름 add는 함수 객체의 reference를 갖고 있다.
  • AI세미나 . . . . 1 match
         Artificial Intelligence (인공지능)에 대한 세미나.
  • APlusProject/PMPL . . . . 1 match
         Upload:APP_Sequence0606.zip -- EF경우는 객체가 둘 씩 필요한데 표기방법을 잘 몰라서 어떻게 해야할지?
  • AcceleratedC++/Chapter10 . . . . 1 match
          || 역참조 연산자(dereference operator) || 포인터 p가 가리키는 객체를 리턴한다. ||
  • AcceleratedC++/Chapter5 . . . . 1 match
          === 5.5.1 Some important differences ===
  • AcceleratedC++/Chapter8 . . . . 1 match
         == 8.2 Data-structure independence ==
  • Android/WallpaperChanger . . . . 1 match
         == Reference ==
  • ArtificialIntelligenceClass . . . . 1 match
         Upload:namsang:AI - Prentice Hall - Artificial Intelligence - A Modern Approach - 1995.pdf
  • Atom . . . . 1 match
         Atom is an XML-based document format and HTTP-based protocol designed for the syndication of Web content such as weblogs and news headlines to Web sites as well as directly to user agents. It is based on experience gained in using the various versions of RSS. Atom was briefly known as "Pie" and then "Echo".
  • Boost/SmartPointer . . . . 1 match
         // accessed both by occurrence (std::vector)
  • BoostLibrary/SmartPointer . . . . 1 match
         // accessed both by occurrence (std::vector)
  • BuildingParser . . . . 1 match
         = Reference =
  • C++/SmartPointer . . . . 1 match
         // reference countable smart point
  • C++Analysis . . . . 1 match
          * STL Tutorial and Reference Guide, 2E (도서관에 한서 있음)
  • CCNA/2013스터디 . . . . 1 match
          * 참조점 (Reference point, 장비와 장비 연결 부분을 가리킴)
  • CPPStudy_2005_1 . . . . 1 match
          STL Reference) http://www.sgi.com/tech/stl/
  • CToAssembly . . . . 1 match
         프로그램의 첫번째 줄은 주석이다. 어셈블러 지시어 .globl은 심볼 main을 링커가 볼 수 있도록 만든다. 그래야 main을 호출하는 C 시작라이브러리를 프로그램과 같이 링크하므로 중요하다. 이 줄이 없다면 링커는 'undefined reference to symbol main' (심볼 main에 대한 참조가 정의되지않음)을 출력한다 (한번 해봐라). 프로그램은 단순히 레지스터 eax에 값 20을 저장하고 호출자에게 반환한다.
  • CVS . . . . 1 match
          * http://www.chonga.pe.kr/document/programming/cvs/index.php 해당 사이트에서 제작한 한글 Reference
  • ChangeYourCss . . . . 1 match
         UserPreferences 에서 로그인후 자신이 원하는 css 를 설정해줄 수 있다. 각자가 취향에 맞는 스타일 시트를 골라서, 만들어서 사용해보자. ^^;
  • Class/2006Fall . . . . 1 match
          === [(zeropage)ArtificialIntelligenceClass] ===
  • ClassifyByAnagram/재동 . . . . 1 match
          def testAcceptence(self):
  • CollaborativeFiltering . . . . 1 match
          * Mean-square difference algorithm
  • ComputerNetworkClass/Exam2006_2 . . . . 1 match
          SSRC, CSRC, Contribution Count, timestamp, sequence number, Version etc 에대한 내용을 적고 해설
  • CvsNt . . . . 1 match
         === Reference ===
  • C언어정복/3월30일 . . . . 1 match
         6. Escape Sequence (\n, \b 등)
  • D3D . . . . 1 match
         === Chapter 4. 인공 지능 (Artificail Intelligence) ===
  • DataCommunicationSummaryProject/Chapter5 . . . . 1 match
          * Voice(서킷) : 고정 전화기 수준의 음질. 소리 나는 메일, Conference Calling
  • DataStructure/Tree . . . . 1 match
         = Tree에 관련된 연산 몇가지(Cross Reference 할때 했던거 약간 변형시켰음. C++식으로는 나중에-.-) =
  • DebuggingSeminar_2005/AutoExp.dat . . . . 1 match
         ; references to a base class.
  • DesignPatterns . . . . 1 match
         ["디자인패턴"] 서적중에서 레퍼런스(Reference) 라 불러지는 책. OOP 를 막연하게 알고 있고 실질적으로 어떻게 설계해야 할까 하며 고민하는 사람들에게 감동으로 다가올 책. T_T
  • Eclipse/PluginUrls . . . . 1 match
          * 위와 같은 에러 메시지가 뜬다면 Windows -> preference -> Team -> SVN 에서 SVN interface 를 JavaSVN -> JavaHL 로 변경해야 함
  • EffectiveSTL/VectorAndString . . . . 1 match
          * reference count라는 게 있는데.. 뭐하는 걸까.. 참조 변수 세는건가?--a AfterCheck
  • EightQueenProblemSecondTryDiscussion . . . . 1 match
         제가 보기에 현재의 디자인은 class 키워드만 빼면 절차적 프로그래밍(procedural programming)이 되는 것 같습니다. 오브젝트 속성은 전역 변수가 되고 말이죠. 이런 구성을 일러 God Class Problem이라고도 합니다. AOP(Action-Oriented Programming -- 소위 Procedural Programming이라고 하는 것) 쪽에서 온 프로그래머들이 자주 만드는 실수이기도 합니다. 객체지향 분해라기보다는 한 거대 클래스 내에서의 기능적 분해(functional decomposition)가 되는 것이죠. Wirfs-Brock은 지능(Intelligence)의 고른 분포를 OOD의 중요요소로 뽑습니다. NQueen 오브젝트는 그 이름을 "Manager"나 "Main''''''Controller"로 바꿔도 될 정도로 모든 책임(responsibility)을 도맡아 하고 있습니다 -- Meyer는 하나의 클래스는 한가지 책임만을 제대로 해야한다(A class has a single responsibility: it does it all, does it well, and does it only )고 말하는데, 이것은 클래스 이름이 잘 지어졌는지, 얼마나 구체성을 주는지 등에서 알 수 있습니다. (Coad는 "In OO, a class's statement of responsibility (a 25-word or less statement) is the key to the class. It shouldn't have many 'and's and almost no 'or's."라고 합니다. 만약 이게 자연스럽게 되지않는다면 클래스를 하나 이상 만들어야 한다는 얘기가 되겠죠.) 한가지 가능한 지능 분산으로, 여러개의 Queen 오브젝트와 Board 오브젝트 하나를 만드는 경우를 생각해 볼 수 있겠습니다. Queen 오브젝트 갑이 Queen 오브젝트 을에게 물어봅니다. "내가 너를 귀찮게 하고 있니?" --김창준
  • EnglishSpeaking/TheSimpsons/S01E05 . . . . 1 match
         Bart : Intelligence indicates he shakes down kids for quarters at the arcade.
  • FrontPage . . . . 1 match
         <div style = "float:right"> <a href="https://wiki.zeropage.org/wiki.php/UserPreferences">로그인하러가기</a> </div>
  • GarbageCollection . . . . 1 match
         [http://en.wikipedia.org/wiki/Garbage_collection_%28computer_science%29]
  • Gnutella-MoreFree . . . . 1 match
         // Screen Item to user's preferences
  • Gof/AbstractFactory . . . . 1 match
         === Consequences ===
  • Gof/Adapter . . . . 1 match
         == Consequences ==
  • Gof/Composite . . . . 1 match
         == Consequences ==
  • Gof/Singleton . . . . 1 match
         === Consequences ===
  • Gof/State . . . . 1 match
         == Consequences ==
  • Gof/Strategy . . . . 1 match
         == Consequences ==
  • GofStructureDiagramConsideredHarmful . . . . 1 match
         But inexperienced Patterns students and users don't know this. They read the Patterns literature too quickly, often thinking that they understand a Pattern merely by understanding it's single "Structure" diagram. This is a shortcoming of the GoF Form, one which I believe is harmful to readers.
  • HanoiProblem . . . . 1 match
         호주의 심리학자 존 스웰러(John Sweller) 교수는 순서효과(sequence effect)라 부르는 것을 증명했습니다.
  • HardcoreCppStudy/두번째숙제/CharacteristicOfOOP/변준원 . . . . 1 match
         위에서 살펴볼 캡슐화와 정보 은폐의 이점은 우선 객체 내부의 은폐된 데이타 구조가 변하더라도 주변 객체들에게 영향을 주지 않는다는 것이다. 예로서, 어떤 변수의 구조를 배열(array)구조에서 리스트(list) 구조로 바꾸더라도 프로그램의 다른 부분에 전혀 영향을 미치지 않는다. 또한 어떤 함수에 사용된 알고리즘을 바꾸더라도 signature만 바꾸지 않으면 외부 객체들에게 영향을 주지 않는다. 예를 들어, sorting 함수의 경우 처음 사용된 sequence sorting 알고리즘에서 quick sorting 알고리즘으로 바뀔때 외부에 어떤 영향도 주지 않는다. 이러한 장점을 유지보수 용이성(maintainability) 혹은 확장성(extendability)이라 한다.
  • HelpContents . . . . 1 match
          * HelpOnUserPreferences - 위키 사용자로 등록하고, 설정가능한 기본값을 입맛에 맞게 고쳐보세요.
  • HelpOnActions . . . . 1 match
          * `userform`: UserPreferences 페이지에서 사용되는 내부 액션
  • HowToStudyXp . . . . 1 match
          * XP Conference, XP Universe 등의 논문들 (특히 최근 것들)
  • InterWikiIcons . . . . 1 match
         The InterWiki Icon is the cute, little picture that appears in front of a link instead of the prefix established by InterWiki. An icon exists for some, but not all InterMap references.
  • IsBiggerSmarter?/문보창 . . . . 1 match
         단순히 Greedy 알고리즘으로 접근. 실패. Dynamic Programming 이 필요함을 테스트 케이스로써 확인했다. Dynamic Programming 을 실제로 해본 경험이 없기 때문에 감이 잡히지 않았다. Introduction To Algorithm에서 Dynamic Programing 부분을 읽어 공부한 후 문제분석을 다시 시도했다. 이 문제를 쉽게 풀기 위해 Weight를 정렬한 배열과 IQ를 정렬한 배열을 하나의 문자열로 보았다. 그렇다면 문제에서 원하는 "가장 긴 시퀀스" 는 Longest Common Subsequence가 되고, LCS는 Dynamic Algorithm으로 쉽게 풀리는 문제중 하나였다. 무게가 같거나, IQ가 같을수도 있기 때문에 LCS에서 오류가 나는 것을 피하기 위해 소트함수를 처리해 주는 과정에서 약간의 어려움을 겪었다.
  • JTDStudy . . . . 1 match
         = Reference Page =
  • JTDStudy/두번째과제/장길 . . . . 1 match
         * 너무 오랫만에 숙제를 했네요....... windfencer.zerpage.org 여기에 들어가면 위 소스로 만든 애플릿을 확인하실수 있습니다. - 장길 -
  • KDP_토론 . . . . 1 match
          * 로그인의 실명화 - UserPreferences 에 자신의 이름과 password를 등록시키면 자신의 SessionID가 붙는 MoinMoin 바로가기를 얻을 수 있을것임. 그 링크를 즐겨찾기에 놓고 사용하면 자동으로 로그인이 된 상태로 모인모인에 접속가능.
  • LawOfDemeter . . . . 1 match
         the code, you can do so with confidence if you know the queries you are calling will not cause anything
  • LinkedList/영동 . . . . 1 match
         Node * reverseList(Node * argNode);//Function which reverses the sequence of the list
  • MajorMap . . . . 1 match
         Two's complement is the most popular method of representing signed integers in computer science. It is also an operation of negation (converting positive to negative numbers or vice versa) in computers which represent negative numbers using two's complement. Its use is ubiquitous today because it doesn't require the addition and subtraction circuitry to examine the signs of the operands to determine whether to add or subtract, making it both simpler to implement and capable of easily handling higher precision arithmetic. Also, 0 has only a single representation, obviating the subtleties associated with negative zero (which is a problem in one's complement). --from [http://en.wikipedia.org/wiki/Two's_complement]
  • McConnell . . . . 1 match
         == Consequences ==
  • MoinMoinBugs . . . . 1 match
         And as a fun sidenote, the UserPreferences cookie doesn't seem to work. The cookie is in my ~/.netscape/cookies file still. My EfnetCeeWiki and XmlWiki cookies are duplicated!? It is kind of like the bug you found when I, ChristianSunesson, tried this feature with netscape just after you deployed it.
  • MoinMoinFaq . . . . 1 match
         automatically show up in the list. Hence, if you want certain
  • MoniWiki/HotKeys . . . . 1 match
          ||U|| ||UserPreferences ||
  • MoreEffectiveC++/Operator . . . . 1 match
         *작성자 사설: 아 나는 정말 이런 리턴이 이해가 안간다. 참조로 넘겨 버리면 대체 컴파일러는 어느 시점에서 oldValue의 파괴를 하냔 말이다. C++이 reference counting으로 자원 관리를 따로 해주는 것도 아닌대 말이다. 1학년때 부터의 고민이단 말이다. 좀 명쾌한 설명을 누가 해줬으면..
  • NSIS . . . . 1 match
         NSIS 는 스크립트 기반으로 일종의 배치화일과 같으므로, 예제위주의 접근을 하면 쉽게 이용할 수 있다. ["NSIS/예제1"], ["NSIS/예제2"], ["NSIS/예제3"] 등을 분석하고 소스를 조금씩 용도에 맞게 수정하여 작성하면 쉽게 접근할 수 있을 것이다. 의문이 생기는 명령어나 속성(attribute)에 대해서는 ["NSIS/Reference"] 를 참조하기 바란다.
  • NotToolsButConcepts . . . . 1 match
         - Software reliability: that's a difficult one. IMO experience,
  • OpenCamp/두번째 . . . . 1 match
         - 주제: Java Conference
  • OurMajorLangIsCAndCPlusPlus/string.h . . . . 1 match
         || char * strrchr(const char *string, int c) || Scan a string for the last occurrence of a character. ||
  • PatternTemplate . . . . 1 match
         == Consequences ==
  • PerformanceTest . . . . 1 match
          short timezone ; /* difference between local time and GMT */
  • Postech/QualityEntranceExam06 . . . . 1 match
          7. Pass by name, Pass by reference, pass by name
  • PragmaticVersionControlWithCVS/CommonCVSCommands . . . . 1 match
         Merging differences between 1.16 and 1.17 into pragprog.sty
  • ProgrammingLanguageClass/Exam2002_2 . . . . 1 match
          * pass by value-result, pass by reference, pass by name 에서 actual parameter 로의 Binding Time 을 서술하시오
  • ProgrammingLanguageClass/Report2002_2 . . . . 1 match
         The output should be a sequence of test programs with the results generated from them. Your grade will be highly dependent on the quality of your test programs.
  • ProjectEazy/테스트문장 . . . . 1 match
         || S(sentence) || 문장 ||
  • ProjectPrometheus/Journey . . . . 1 match
         이 부분도 일종의 Architecture 의 부분일것인데, 지금 작성한것이 웬지 화근이 된것 같다는. Architecture 부분에 대해서는 Spike Solution 을 해보던지, 아니면 TDD 를 한뒤, Data Persistence 부분에 대해서 내부적으로 Delegation 객체를 추출해 내고, 그녀석을 Mapper 로 빼내는 과정을 순차적으로 밟았어야 했는데 하는 생각이 든다.
  • ProjectWMB . . . . 1 match
         = Reference Page =
  • ProjectZephyrus/Afterwords . . . . 1 match
          - PairProgramming 전에 진행 전략을 세웠다. (5분 PP 라던지, PP 순서시 간단한 Modeling 뒤, Sequence Diagram 등을 그리고 난 뒤 진행을 한다던지, 후배들에게 프로그래밍이 완성되었을 경우에 어떠어떠하게 돌아갈 것이다 라고 미리 그 결과를 생각해보게끔 유도)
  • ProjectZephyrus/간단CVS사용설명 . . . . 1 match
          메뉴->Admin->Preference
  • PyIde . . . . 1 match
         === References ===
  • PyIde/FeatureList . . . . 1 match
          * find reference
  • PyServlet . . . . 1 match
         [1002] 가 PyServlet 에서 생각하는 장점이라면, Servlet 의 특징으로, CGI와는 달리 인스턴스가 메모리에 남아있다는 점이다. 간단한 프로토타이핑을 할때 memory persistence 를 이용할 수 있게 된다. ZP 에서의 12줄 이야기와 같은 프로그램을 작성할 수도 있다.
  • QualityAttributes . . . . 1 match
          * Resilience
  • REFACTORING . . . . 1 match
          * 실제로 Refactoring을 하기 원한다면 Chapter 1,2,3,4를 정독하고 RefactoringCatalog 를 대강 훑어본다. RefactoringCatalog는 일종의 reference로 참고하면 된다. Guest Chapter (저자 이외의 다른 사람들이 참여한 부분)도 읽어본다. (특히 Chapter 15)
  • RandomWalk2 . . . . 1 match
         이런 경험을 하게 되면 "디자인의 질"이 무엇인가 직접 체험하게 되고, 그것에 대해 생각해 보게 되며, 실패/개선을 통해 점차 디자인 실력을 높일 수 있다. 뭔가 잘하기 위해서는, "이런 것이 있고, 난 그것을 잘 못하는구나"하는 "무지의 인식"이 선행되어야 한다. (see also Wiki:FourLevelsOfCompetence )
  • Refactoring/ComposingMethods . . . . 1 match
          * You have a temp that is assigned to once twith a simple expression, and the temp is getting in the way of other refactorings. [[BR]] ''Replace all references to that temp with the expression.''
  • Refactoring/SimplifyingConditionalExpressions . . . . 1 match
          * You have a sequence of conditional tests with the same result. [[BR]]''Combine them into a single conditional expression and extract it.''
  • RonJeffries . . . . 1 match
         Could you give any advices for Korean young programmers who're just starting their careers? (considering the short history of IT industry in Korea, there are hardly any veterans with decades of experiences like you.) -- JuNe
  • Ruby/2011년스터디/강성현 . . . . 1 match
          * 동네API 레퍼런스 http://devapi.caucse.net/apireference/
  • STL/VectorCapacityAndReserve . . . . 1 match
         /* 이 프로그램은 STL Tutorial and Reference Guid 2nd 의 */
  • SVN 사용법 . . . . 1 match
         == Reference ==
  • SeparatingUserInterfaceCode . . . . 1 match
         When separating the presentation from the domain, make sure that no part of the domain code makes any reference to the presentation code. So if you write an application with a WIMP (windows, icons, mouse, and pointer) GUI, you should be able to write a command line interface that does everything that you can do through the WIMP interface -- without copying any code from the WIMP into the command line.
  • SmallTalk/강좌FromHitel/강의3 . . . . 1 match
         * Previous experience of Smalltalk?
  • SoftwareEngineeringClass . . . . 1 match
         ["1002"]: 분야가 너무 넓다. 하루 PPT 자료 나아가는 양이 거의 60-70장이 된다. -_-; SWEBOK 에서의 각 Chapter 별로 관련 Reference들 자료만 몇십권이 나오는 것만 봐도. 아마 SoftwareRequirement, SoftwareDesign, SoftwareConstruction, SoftwareConfigurationManagement, SoftwareQualityManagement, SoftwareProcessAssessment 부분중 앞의 3개/뒤의 3개 식으로 수업이 분과되어야 하지 않을까 하는 생각도 해본다. (그게 4학년 객체모델링 수업이려나;) [[BR]]
  • SubVersion . . . . 1 match
         = Reference Book =
  • TeachYourselfProgrammingInTenYears . . . . 1 match
         Hayes, John R., Complete Problem Solver Lawrence Erlbaum, 1989.
  • TheElementsOfProgrammingStyle . . . . 1 match
         P.J. Plauger라고 역시 유명인. C와 C++ 표준화에 많은 업적을 남겼다. 2004년도 닥터 도브스 저널(DrDobbsJournal)에서 주는 Excellence In Programming Award 수상. --JuNe
  • TopicMap . . . . 1 match
         Could you provide a more involved example markup and its corresponding rendering? As far as I understand it, you want to serialize a wiki, correct? You should ask yourself what you want to do with circular references. You could either disallow them or limit the recursion. What does "map" do? See also wiki:MeatBall:TransClusion''''''. -- SunirShah
  • TortoiseCVS . . . . 1 match
         TortoiseCVS 의 경우는 CVS Conflict Editor 를 Preference 에서 설정할 수 있다. [1002]의 경우는 WinMerge 로 잡아놓았다.
  • Trac . . . . 1 match
         Trac allows wiki markup in issue descriptions and commit messages, creating links and seamless references between bugs, tasks, changesets, files and wiki pages. A timeline shows all project events in order, making getting an overview of the project and tracking progress very easy.
  • UDK/2012년스터디 . . . . 1 match
          * [http://udn.epicgames.com/Three/UnrealScriptReferenceKR.html 언리얼스크립트 레퍼런스] UnrealScript 사용자용
  • UDK/2012년스터디/소스 . . . . 1 match
         class SeqAct_ConcatenateStrings extends SequenceAction;
  • UserPreferences . . . . 1 match
         [[UserPreferences]]
  • UserStory . . . . 1 match
         Use Case 에 대해서 문서를 작성하고..그 다음으로 System Sequence Diagram을 만드는데.
  • VisualStudio . . . . 1 match
         Reference : [http://support.intel.com/support/kr/performancetools/libraries/mkl/win/sb/cs-017282.htm Intel 라이브러리 연결 요령]
  • VonNeumannAirport/인수 . . . . 1 match
         //만약 지능(intelligence)를 좀 더 분배하거나, 책임(responsibility)을 더 줄 수 없다면
  • WIBRO . . . . 1 match
          음.. 기존 CDMA 는 그대로 두고 따로 가는건가..? 만약 [WIBRO]에 VoIP 가 올라가면... 기존의 CDMA 망이 너무 아까운걸... (퀄컴에 돈 가져다 바치는것도 아깝진 하지만). DigitalConvergence 가 이루어지는 세상에 CDMA와 [WIBRO]가 각자의 길을 간다는것도 조금 안맞는것 같기도 하고.. 이래저래 아깝기만하네..-_-;; - [임인택]
  • WhatToExpectFromDesignPatterns . . . . 1 match
         DesignPatterns are an important piece that's been missing from object-oriented design methods. (primitive techniques, applicability, consequences, implementations ...)
  • WikiSandBox . . . . 1 match
          * 처음 시작할 때, UserPreferences 에서의 실제 [필명], HallOfNosmokian 명부에서의 기재 [필
  • WikiWikiWebFaq . . . . 1 match
         '''A:''' A set of pages of information that are open and free for anyone to edit as they wish. The system creates cross-reference hyperlinks between pages automatically. See WikiWikiWeb for more info.
  • WinCVS . . . . 1 match
          1. 프로그램을 시작하고 첫 화면을 보자. 무심코 지나쳤다면 Ctrl+F1 또는 Admin - Preference 를 보자.
  • YouNeedToLogin . . . . 1 match
          id 부분에 대해서 UID 숫자가 아닌 아이디/패스워드 스타일로 UserPreferences 를 패치해야 할듯. (조만간 수정하겠습니다.) --["1002"]
  • ZIM . . . . 1 match
          * ["ZIM/SystemSequenceDiagram"] (by 시스템 아키텍트)
  • ZP도서관 . . . . 1 match
         || C : A Reference Manual 4th Ed. || Harbison, Steele Jr. || Prentice Hall || ["zennith"] || 원서 ||
  • ZeroPage_200_OK . . . . 1 match
         == References ==
  • ZeroPage소개 . . . . 1 match
          * ZeroPage는 컴퓨터공학부 내에 있는 학술 동아리로서, 올해 21년째를 맞이 하고 있습니다. ZeroPage에서는 Computer Science&Engineering 전반에 걸쳐 구성원들이 하고자하는 분야를 탐구하고, 프로젝트를 진행하고 있습니다. 또, 매주 정모를 통해 구성원들과 자신의 스터디, 프로젝트 진행사항들을 이야기하고 각종 세미나들을 통해 자신이 알고 있는 것을 다른 사람들과 공유하여 구성원들 모두가 함께 발전해나가고자 하는 동아리입니다. 또한 새싹교실과 데블스 캠프와 같이 동아리 구성원이 아닌 학우들도 함께 참여할 수 있는 프로그램을 통해 함께 발전해나가고자 하고 있습니다.
  • ZeroWikiHotKey . . . . 1 match
         == User Preference 바로가기 ==
  • [Lovely]boy^_^/Diary/2-2-15 . . . . 1 match
          * I have suprised at system programming's difference. It's so difficult. In my opinion, if I want to do system programming well, I must study OS.
  • [Lovely]boy^_^/Diary/2-2-16 . . . . 1 match
          * I can't translate english sentence that I writed.--;
  • [Lovely]boy^_^/EnglishGrammer/Passive . . . . 1 match
          So it is possible to make two passive sentences.
  • [Lovely]boy^_^/EnglishGrammer/PresentPerfectAndPast . . . . 1 match
          Yet = until now. It shows that the speaker is expecting something to happen. Use yet only in questions and negative sentences.
  • [Lovely]boy^_^/EnglishGrammer/QuestionsAndAuxiliaryVerbs . . . . 1 match
          But do not use do/does/did if who/what/which is the subject of the sentence.
  • django/AggregateFunction . . . . 1 match
          for c in Consequence.objects.values('loss'):
  • django/ModifyingObject . . . . 1 match
         데이터베이스에서 레코드를 삭제하는 작업은 Model클래스의 delete메소드로 추상화했다. 하지만 내부에서 실제로 레코드를 삭제하는 메소드는 delete_objects이다.[8] delete_objects메소드는 지우려는 레코드를 참조하는 다른 테이블의 레코드까지 함께 삭제하거나, 외래키를 NULL값으로 설정한다. 예를 들어 다음은 Risk테이블에서 한 레코드를 삭제하는 경우 이를 참조하는 Consequence, Control 테이블의 레코드까지 함께 삭제하는지를 묻는 사용자 화면이다.
  • eclipse플러그인 . . . . 1 match
          * In eclipse menu: window > preferences > team > svn change the default SVN interface from JAVAHL(JNI) to JavaSVN(Pure JAVA)
  • html5/form . . . . 1 match
          * [http://www.w3.org/TR/html5-diff/ w3c:HTML5 differences from HTML4]
  • mantis . . . . 1 match
          * administrator , 암호는 root 로 로그인 후에 계정관리에서 preference 부분에 가서 제일 하단 부에 있는 언어 선택을 한글로 해야 한글로 메뉴를 보고 한글을 사용할 수 있습니다.
  • subsequence/권영기 . . . . 1 match
         * subsequence
  • wiz네처음화면 . . . . 1 match
          * Computer Science & Engineering, Chung-ang Univ, entrance in 2001. 11th member in Zeropage Academy.
  • woodpage/VisualC++HotKeyTip . . . . 1 match
          *BrowseGotoReference라고 함 함수는 선언된곳으로 감 예를 들어 클래스 맴버 함수면 클래스 header로 감
  • zennith/SICP . . . . 1 match
         "내가 컴퓨터 과학 분야에서 가장 중요하다고 생각하는 것은 바로 즐거움을 유지해간다는 것이다. 우리가 처음 시작했을 때는, 컴퓨팅은 대단한 즐거움이었다. 물론, 돈을 지불하는 고객들은 우리가 그들의 불만들을 심각하게 듣고있는 상황에서 언제나 칼자루를 쥔 쪽에 속한다. 우리는 우리가 성공적이고, 에러 없이 완벽하게 이 기계를 다루어야 한다는 책임감을 느끼게 되지만, 나는 그렇게 생각하지 않는다. 나는 우리에게 이 기계의 능력을 확장시키고, 이 기계가 나아가야 할 방향을 새롭게 지시하는, 그리고 우리의 공간에 즐거움을 유지시키는(keeping fun in the house) 그러한 책임이 있다고 생각한다. 나는 컴퓨터 과학 영역에서 즐거움의 감각을 잊지 않기를 희망한다. 특히, 나는 우리가 더이상 선교자가 되는 것을 바라지 않는다. 성경 판매원이 된 듯한 느낌은 이제 받지 말아라. 이미 세상에는 그런 사람들이 너무나도 많다. 당신이 컴퓨팅에 관해 아는 것들은 다른 사람들도 알게될 것이다. 더이상 컴퓨팅에 관한 성공의 열쇠가 오직 당신의 손에만 있다고 생각하지 말아라. 당신의 손에 있어야 할 것은, 내가 생각하기엔, 그리고 희망하는 것은 바로 지성(intelligence)이다. 당신이 처음 컴퓨터를 주도했을때보다 더욱 더 그것을 통찰할 수 있게 해주는 그 능력 말이다. 그것이 당신을 더욱 성공하게 해줄 것이다. (the ability to see the machine as more than when you were first led up to it, that you can make it more.)"
  • 경시대회준비반 . . . . 1 match
         || [Self-describingSequence] ||
  • 권영기/web crawler . . . . 1 match
         4. Window > Preference > PyDev > Interpreter - Python > Auto Config
  • 논문검색 . . . . 1 match
          * [http://www.sciencedirect.com/ SCIENCE DIRECT]
  • 디자인패턴 . . . . 1 match
         디자인패턴에 대한 설명이라.. 다른 곳에서 이미 체계적인 설명들을 해 놓아서 장황하게 설명하지 않는다고 한다면, 말 그대로 '패턴'이 된 디자인들의 묶음입니다. (물론 그렇다고 패턴이 모든 디자인 문제를 해결해주는 silver bullet는 아니죠.) 처음 프로그램을 설계를 할때 참조할 수 있는, 어느정도 공식화 된 디자인들을 일컫습니다. 현재 거의 Reference화 된 23개의 패턴이 있고요. 계속 새로운 패턴이 추가되고 있는 것으로 알고 있습니다.
  • 로그인하기 . . . . 1 match
         UserPreferences 페이지에서 이름과 패스워드를 적고 Profile 만들기 버튼을 누른다. ChangeYourCss 페이지나 CssMarket 에서 개인 취향에 맞는 스타일 시트를 등록해서 사용하면 더 좋다.
  • 몸짱프로젝트 . . . . 1 match
         [몸짱프로젝트/CrossReference]
  • 무엇을공부할것인가 . . . . 1 match
         - Software reliability: that's a difficult one. IMO experience,
  • 사람들이모임에나오지않는다 . . . . 1 match
         사람들을 다그쳐 봐야 아무런 효과가 없습니다. 어떻게 그들에게 영향을 줄까(influence)를 고민해야 합니다. 내가 그 사람을 바꾸려고 하지말고, 그 사람이 스스로 바뀌어서 "자발적으로 나오고 싶은 마음이 굴뚝 같게" 될 수 있는 상황을 만들어야 합니다.
  • 새싹교실/2011/Pixar . . . . 1 match
          * Programming in eXperience and Research
  • 새싹교실/2011/무전취식/레벨7 . . . . 1 match
          * Call-By-Reference : 어떤 값을 부를때 C에서는 주소값을 복사하여 부른 개체에게 주소값을 넘겨받아 주소값을 참조하는 기술.
  • 새싹교실/2011/무전취식/레벨8 . . . . 1 match
          * Call-By-Reference
  • 새싹교실/2011/무전취식/레벨9 . . . . 1 match
          * Call-By-Reference
  • 새싹교실/2012/Dazed&Confused . . . . 1 match
          * 포인터와 구조체, 전역 번수와 지역 변수에 대해 배웠고, 포인터가 어느 곳에서나 자료를 읽을 수 있다고 하는 것과 Call-by-Value, Call-by-Reference에 대해서도 배웠다. 포인터에 대한 개념은 알고 있었지만 깊게는 알지 못했는데 오늘 새싹으로 많은 것을 배울 수 있었다. 그러나 이 모든 것들이 하루만에 끝내려고 하다 보니 너무 부담스러웠다. 조금 더 다양한 프로그래밍 예제에 대한 경험을 했으면 좋겠다. - [김민재]
  • 새싹교실/2012/도자기반 . . . . 1 match
         구조체 선언 방법과 typedef를 쓰는 이유를 설명 하는데 구조체 예제 안에 배열이 있어서 배열에 대해서 먼저 설명했습니다. 배열의 이름이 갖는 의미와 인덱스로 접근가능한 자료구조라는 것을 설명했습니다. 그 다음으로는 미뤄왔던 함수에 대해서 설명했습니다. 이번에도 예제로 설명하려 했는데 파라미터로 포인터를 받아오기에 먼저 포인터에 관한 설명을 했습니다. swap예제를 사용하여 call by value 기반의 C에서 포인터를 사용하여 call by reference를 구현 할 수 있다고 설명했습니다. 그리고 배열접근 방법에 인덱스와 배열이름+숫자 로 접근하는 방법도 알려줬습니다.
  • 새싹교실/2012/부부동반 . . . . 1 match
          * Computer Science의 의의
  • 새싹교실/2012/아우토반/앞반/5.10 . . . . 1 match
          * Call-by-reference의 원리
  • 새싹교실/2013/케로로반/실습자료 . . . . 1 match
         Social Executive of Computer Science and Engineering will hold a bar event. There are many pretty girls and handsome guys. It will be great day for you. Just come to the bar event and drink. There are many side dishes and beer. Please enjoy the event. but DO NOT drink too much, or FBI will come to catch you. Thank you.
  • 수업평가 . . . . 1 match
         ||ArtificialIntelligenceClass || 0 || 1 || 2 || -2 || 1 || 1 ||1 ||
  • 스터디그룹패턴언어 . . . . 1 match
         Follow customs that will re-enforce the spirit of the group, piquing participant's interest in dialogues, accommodating different learning levels, making the study of literature easier, recording group experiences, and drawing people closer together.
  • 영어학습방법론 . . . . 1 match
          * http://technetcast.com - 전산학자들, 유명한 저자의 강의, interview, conference 발표등이 있음
  • 영호의바이러스공부페이지 . . . . 1 match
          ^like she'd know the difference!
  • 영호의해킹공부페이지 . . . . 1 match
          I learnt what I know about assembly from and it's a great reference for
  • 위키QnA . . . . 1 match
         A : 묶인 녀석의 font가 1 더 커진 상태 (기존폰트는 10pt) 는 UserPreferences 에서 default.css를 default_2.css 로 바꿔서 보세요.
  • 위키설명회 . . . . 1 match
          * 로그인과 페이지 만들기를 하면서 UserPreferences가 이상해지고, [페이지이름]의 규칙을 어긴 페이지가 많이 만들어졌습니다.--[Leonardong]
  • 위키설명회2005/PPT준비 . . . . 1 match
         [UserPreferences]
  • 위키에대한생각 . . . . 1 match
          * css 바꾸기 ZeroWiki:UserPreferences 하단 ZeroWiki:CssMarket 참고
  • 이영호/64bit컴퓨터와그에따른공부방향 . . . . 1 match
         컴퓨터 계의 대부 다익스트라(EdsgerDijkstra)는 이런 말을 했죠. "천문학이 망원경에 대한 학문이 아니듯이, 컴퓨터 과학 역시 컴퓨터에 대한 것이 아니다."(Computer science is no more about computers than astronomy is about telescopes.) 망원경 속을 들여파봐야 거기에서 명왕성이 뭔지 알 수가 없고, 컴퓨터를 속속들이 이해한다고 해서 컴퓨터 과학에 달통할 수는 없다 그런 말이죠.
  • 정모/2012.11.26 . . . . 1 match
          * [http://scienceon.hani.co.kr/media/34565 인지부하]에 대한 글인데 참고해 주셨으면.. 이 글은 데블스 캠프나 새싹이나 기타 강의/세미나를 하시려는 분들이 참고해도 좋을 것 같습니다.
  • 정모/2013.9.4 . . . . 1 match
         == KGC(korea game conference) ==
  • 제13회 한국게임컨퍼런스 후기 . . . . 1 match
         || 행사명 || 한국국제게임컨퍼런스 Korea Games Conference 2013(KGC2013) ||
  • 제로페이지의장점 . . . . 1 match
         나는 잡다하게도 말고 딱 하나를 들고 싶다. 다양성. 생태계를 보면 진화는 접경에서 빨리 진행하는데 그 이유는 접경에 종의 다양성이 보장되기 때문이다. ["제로페이지는"] 수많은 가(edge)를 갖고 중층적 접경 속에 있으며, 거기에서 오는 다양성을 용인, 격려한다(see also NoSmok:CelebrationOfDifferences). 내가 굳이 제로페이지(혹은 거기에 모이는 사람들)를 다른 모임과 차별화 해서 본다면 이것이 아닐까 생각한다. --JuNe
  • 진격의안드로이드&Java . . . . 1 match
          * [http://www.kandroid.org/board/data/board/conference/file_in_body/1/8th_kandroid_application_framework.pdf Android]
  • 창섭/삽질 . . . . 1 match
          * 이상하게 함수가 작동을 안하거든 기본적으로 parameter 갯수와 reference 여부를 확인하자.
  • 축적과변화 . . . . 1 match
         컴퓨터를 공부하는 사람들이 각자 자신의 일상에서 하루하루 열심히, 차근차근 공부하는 것도 중요하겠지만, 자신의 컴퓨터 역사에서 "계단"이라고 부를만한 시점이 정말 몇 번이나 있었나 되짚어 보는 것도 아주 중요합니다. 그리고, 주변에 그럴만한 기회가 있다면 적극적으로 참여하고, 또 그런 기회를 만들어 내는 것이 좋습니다. 그런데 이런 변화의 기회라는 것은 나의 세계와 이질적인 것일 수록 그 가능성과 타격(!) 정도가 높습니다. (see also NoSmok:CelebrationOfDifferences ) 그렇지만 완전히 다르기만 해서는 안됩니다. 같으면서 달라야 합니다. 예컨대, 내가 아주 익숙한 세계로 알았는데 그걸 전혀 낯설게 보고 있는 세계, 그런것 말이죠.
  • 큐와 스택/문원명 . . . . 1 match
          밤(10시 이후)에 답변드리겠습니다. 저에게는 상당한 학습의 기회가 될것 같군요. 재미있네요. 일단, 글로 표현하기에 자신이 없거든요. 주변의 사람들을 붙잡고 물어보는 것도 좋은 방법이 될것 같습니다. 그리고, 학교 교제의, call By Value, call By reference 와 Pointer 관련 부분을 읽으시면 좋겠습니다. --NeoCoin
  • 파이썬으로익스플로어제어 . . . . 1 match
          자세한 내용은 http://msdn.microsoft.com/library/default.asp?url=/workshop/browser/webbrowser/reference/objects/internetexplorer.asp 에의 컴포넌트들을 참조하세요. 주로 알아야 할 객체는 WebBrowser, Document 객체입니다. (login 예제는 나중에~) --[1002]
  • 프로그래머가알아야할97가지 . . . . 1 match
          * [/ActWithPrudence]
  • 프로그래머가알아야할97가지/ActWithPrudence . . . . 1 match
         원문: http://programmer.97things.oreilly.com/wiki/index.php/Act_with_Prudence
  • 프로그래밍잔치/첫째날 . . . . 1 match
          * '''Think Difference 낯선 언어와의 조우'''
  • 한자공/시즌1 . . . . 1 match
          * Window -> Preference 에서 General -> Workspace로 들어간 뒤 Text file encoding을 Other(UTF-8)로 변경.
  • 헝가리안표기법 . . . . 1 match
         || r || reference formal parameter || ... || void vFunc(long &rlGalaxies) ||
Found 328 matching pages out of 7540 total pages (5000 pages are searched)

You can also click here to search title.

Valid XHTML 1.0! Valid CSS! powered by MoniWiki
Processing time 0.0671 sec