E D R , A S I H C RSS

Full text search for "Read"

Read


Search BackLinks only
Display context of search results
Case-sensitive searching
  • LIB_3 . . . . 59 matches
          pReady_heap[count] = NULL;
          ready_tcb_ptr = 0;
          pReady_heap[ready_tcb_ptr] = LIB_free_TCB();
          pReady_heap[ready_tcb_ptr]->Task_Name = task_name;
          pReady_heap[ready_tcb_ptr]->delay = 0;
          pReady_heap[ready_tcb_ptr]->priority = priority;
          pReady_heap[ready_tcb_ptr]->StackSeg = (INT16U)FP_SEG(Stack);
          pReady_heap[ready_tcb_ptr]->StackOff = INT16U(Stack) - 28;
          pReady_heap[ready_tcb_ptr]->Stack = Stack;
          int temp_count = ready_tcb_ptr;
          ready_tcb_ptr++;
          if ( pReady_heap[temp_count]->priority > pReady_heap[tree_parent(temp_count)]->priority ){
          Temp_TCB = pReady_heap[temp_count];
          pReady_heap[temp_count] = pReady_heap[tree_parent(temp_count)];
          pReady_heap[tree_parent(temp_count)] = Temp_TCB;
          pReady_heap[ready_tcb_ptr] = pSuspend_heap[i];
          temp = ready_tcb_ptr;
          if ( pReady_heap[temp]->priority > pReady_heap[tree_parent(temp)]->priority ) {
          temp_tcb = pReady_heap[tree_parent(temp)];
          pReady_heap[tree_parent(temp)] = pReady_heap[temp];
  • MoreEffectiveC++/Appendix . . . . 46 matches
         == Recommended Reading ==
         So your appetite for information on C++ remains unsated. Fear not, there's more — much more. In the sections that follow, I put forth my recommendations for further reading on C++. It goes without saying that such recommendations are both subjective and selective, but in view of the litigious age in which we live, it's probably a good idea to say it anyway. ¤ MEC++ Rec Reading, P2
         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
         What follows is the list of books I find myself consulting when I have questions about software development in C++. Other good books are available, I'm sure, but these are the ones I use, the ones I can truly recommend. ¤ MEC++ Rec Reading, P5
         A good place to begin is with the books that describe the language itself. Unless you are crucially dependent on the nuances of the °official standards documents, I suggest you do, too. ¤ MEC++ Rec Reading, P6
          * '''''The Annotated C++ Reference Manual''''', Margaret A. Ellis and Bjarne Stroustrup, Addison-Wesley, 1990, ISBN 0-201-51459-1. ¤ MEC++ Rec Reading, P7
          * '''''The Design and Evolution of C++''''', Bjarne Stroustrup, Addison-Wesley, 1994, ISBN 0-201-54330-3. ¤ MEC++ Rec Reading, P8
         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
          * '''''The C++ Programming Language (Third Edition)''''', Bjarne Stroustrup, Addison-Wesley, 1997, ISBN 0-201-88954-4. ¤ MEC++ Rec Reading, P11
         Stroustrup has been intimately involved in the language's design, implementation, application, and standardization since its inception, and he probably knows more about it than anybody else does. His descriptions of language features make for dense reading, but that's primarily because they contain so much information. The chapters on the standard C++ library provide a good introduction to this crucial aspect of modern C++. ¤ MEC++ Rec Reading, P12
         If you're ready to move beyond the language itself and are interested in how to apply it effectively, you might consider my other book on the subject: ¤ MEC++ Rec Reading, P13
          * '''''Effective C++''''', Second Edition: 50 Specific Ways to Improve Your Programs and Designs, Scott Meyers, Addison-Wesley, 1998, ISBN 0-201-92488-9. ¤ MEC++ Rec Reading, P14
         That book is organized similarly to this one, but it covers different (arguably more fundamental) material. ¤ MEC++ Rec Reading, P15
         A book pitched at roughly the same level as my Effective C++ books, but covering different topics, is ¤ MEC++ Rec Reading, P16
          * '''''C++ Strategies and Tactics''''', Robert Murray, Addison-Wesley, 1993, ISBN 0-201-56382-7. ¤ MEC++ Rec Reading, P17
         If you're the kind of person who likes to learn proper programming technique by reading code, the book for you is ¤ MEC++ Rec Reading, P19
          * '''''C++ Programming Style''''', Tom Cargill, Addison-Wesley, 1992, ISBN 0-201-56365-7. ¤ MEC++ Rec Reading, P20
         Each chapter in this book starts with some C++ software that has been published as an example of how to do something correctly. Cargill then proceeds to dissect — nay, vivisect — each program, identifying likely trouble spots, poor design choices, brittle implementation decisions, and things that are just plain wrong. He then iteratively rewrites each example to eliminate the weaknesses, and by the time he's done, he's produced code that is more robust, more maintainable, more efficient, and more portable, and it still fulfills the original problem specification. Anybody programming in C++ would do well to heed the lessons of this book, but it is especially important for those involved in code inspections. ¤ MEC++ Rec Reading, P21
         One topic Cargill does not discuss in C++ Programming Style is exceptions. He turns his critical eye to this language feature in the following article, however, which demonstrates why writing exception-safe code is more difficult than most programmers realize: ¤ MEC++ Rec Reading, P22
         "Exception Handling: A False Sense of Security," °C++ Report, Volume 6, Number 9, November-December 1994, pages 21-24. ¤ MEC++ Rec Reading, P23
  • OurMajorLangIsCAndCPlusPlus/XML/조현태 . . . . 30 matches
         typedef struct StructReadBlock
          struct StructReadBlock** nextBlocks;
         }SReadBlock;
         SReadBlock* CreateNewBlock(const char* name, const char* contents)
          SReadBlock* newBlock = (SReadBlock*)malloc(sizeof(SReadBlock));
         void AddNewTail(SReadBlock* head, SReadBlock* tail)
          SReadBlock** newNextBlocks = (SReadBlock**)malloc(sizeof(SReadBlock*) * (head->nextBlockNumber + 1));
          memcpy(newNextBlocks, head->nextBlocks, sizeof(SReadBlock*) * head->nextBlockNumber);
         const char* CreateTree(SReadBlock* headBlock, const char* readData)
          SReadBlock* myPoint = NULL;
          while(0 != *readData)
          if ('<' == *readData)
          ++readData;
          if ('/' == *readData)
          readData = strchr(readData, '>');
          ++readData;
          const char* nameEndPoint = strchr(readData, '>');
          char* textBuffur = (char*)malloc(sizeof(char) * (nameEndPoint - readData + 1));
          strncpy(textBuffur, readData, nameEndPoint - readData);
          textBuffur[nameEndPoint - readData] = 0;
  • 데블스캠프2013/셋째날/머신러닝 . . . . 24 matches
         using System.Threading.Tasks;
          StreamReader reader = new StreamReader(@"C:\ZPDC2013\train_data11293x8165");
          line = reader.ReadLine();
          line = reader.ReadLine();
          reader.Close();
          reader = new StreamReader(@"C:\ZPDC2013\train_class11293x20");
          line = reader.ReadLine();
          line = reader.ReadLine();
          reader.Close();
          reader = new StreamReader(@"C:\ZPDC2013\test_data7528x8165");
          line = reader.ReadLine();
          line = reader.ReadLine();
          reader.Close();
          Console.ReadKey();
         trainData = open('DataSet/train_data11293x8165').readlines();
         trainClass = open('DataSet/train_class11293x20').readlines();
         testData = open('DataSet/test_data7528x8165').readlines();
         void readFile(int ** target, const char * filename, int row, int col);
          readFile(train_data, "DataSet/train_data11293x8165", 11293, 8165);
          readFile(train_class, "DataSet/train_class11293x20", 11293, 20);
  • JavaNetworkProgramming . . . . 23 matches
          *Thread 클래스 : 보통 상속받아서 사용
          public class SubThread extends Thread{
          SubThread subThread = new SubThread();
          subThread.start(); //쓰레드 시작
          *Runnable 인터페이스 : Thread 클래스를 직접 상속받지 않은 클래스의 객체가 손쉽게 쓰레드를 생성할수 있도록 해줌
          public class ThreadDemo implements Runnable{
          protected Thread execution;
          execution = new Thread(this); //Runnable 인터페이스를 구현한 것을 넣어줌
          execution.setPriority(Thread.MIN_PRIORITY); //우선수위를 정함
          Thread myself = Thread.currentThread(); //현재 실행중인 쓰레드를 가져온다.
          *ThreadGroup 클래스 : 여래개의 쓰레드르 그룹으로 만들어 손쉽계 Thread를 관리
          *Thread 통지(notification)메소드 : 주의해야 할 점은, 이 메소드들 호출하는 쓰레들이 반드시 synchronized 블록으로 동기화 되어야 한다는 점이다.
          int numberRead;
          while((numberRead =System.in.read(buffer))>=0) //가능한 많은 양을 읽는다. EOF가 -1을 반환하면 출력한다.
          System.out.write(buffer,0,numberRead);
          int numberRead;
          while((numberRead = in.read(buffer)) >=0) //파일을 버퍼에 가능한 많은 양을 읽고 읽은 양만큼 파일에 쓴다. 파일이 EOF일 때까지.
          out.write(buffer,0,numberRead); //여기서 0은 초기시작위치이고 파일에 쓸때마다 점점 옆으로 이동한다 --;
          public void mark(int readAheadLimit){
          *LineNumberInputStream : LineNumberReader 클래스에 의해 쓸모가 없어진 이 스트림은 초보적인 수준으로 줄에 번호 매기는 기능을 제공한다.
  • 1002/Journal . . . . 22 matches
         도서관에서 이전에 절반정도 읽은 적이 있는 Learning, Creating, and Using Knowledge 의 일부를 읽어보고, NoSmok:HowToReadaBook 원서를 찾아보았다. 대강 읽어봤는데, 전에 한글용어로는 약간 어색하게 느껴졌던 용어들이 머릿속에 제대로 들어왔다. (또는, 내가 영어로 된 책을 읽을때엔 전공책의 그 어투를 떠올려서일런지도 모르겠다. 즉, 영어로 된 책은 약간 더 무겁게 읽는다고 할까. 그림이 그려져 있는 책 (ex : NoSmok:AreYourLightsOn, 캘빈 & 홉스) 는 예외)
          책을 읽으면서 '해석이 안되는 문장' 을 그냥 넘어가버렸다. 즉, NoSmok:HowToReadaBook 에서의 첫번째 단계를 아직 제대로 못하고 있는 것이다. 그러한 상황에서는 Analyicial Reading 을 할 수가 없다.
          * 그렇다면, 어떻게 NoSmok:HowToReadaBook 이나 'Learning, Creating, and Using Knowledge' 은 읽기 쉬웠을까?
          * 사전지식이 이미 있었기 때문이라고 판단한다. NoSmok:HowToReadaBook 는 한글 서적을 이미 읽었었고, 'Learning, Creating, and Using Knowledge' 의 경우 Concept Map 에 대한 이해가 있었다. PowerReading 의 경우 원래 표현 자체가 쉽다.
          * 현재 내 영어수준을 보건데, 컴퓨터 관련 서적 이외에 쉽고 일상적인 책들에 대한 Input 이 확실히 부족하다. 영어로 된 책들에 대해서는 좀 더 쉬운 책들을 Elementary Reading 단계부터 해봐야겠다.
          * Seminar:ReadershipTraining
          * 이러한 사람들이 책을 읽을때 5분간 읽으면서 어떤 과정을 어느정도 수준으로까지 거치는지에 대해 구경해볼 수 있어도 좋을것 같다. 그러한 점에서는 RT 때 Chapter 단위로 Pair-Reading 을 해봐도 재미있을 듯 하다. '읽는 방법'을 생각하며 좀 더 의식적으로 읽을 수 있지 않을까.
          * 처음 프로그래밍을 접하는 사람에게는 전체 프로젝트 과정을 이해할 수 있는 하루를, (이건 RT 보단 밤새기 프로젝트 하루짜리를 같이 해보는게 좋을 것 같다.) 2-3학년때는 중요 논문이나 소프트웨어 페러다임 또는 양서라 불리는 책들 (How To Read a Book, 이성의 기능, Mind Map 이나 Concept Map 등)을 같이 읽고 적용해보는 것도 좋을것 같다.
          * Seminar:ReadershipTraining Afterwords
          * Blank Error 의 에러율 변화에 대한 통계 - 이론으로 Dead Lock 을 아는 것과, 실제 Multi Thread 프로그래밍을 하는 중 Dead Lock 상황을 자주 접하는것. 어느것이 더 학습효과가 높을까 하는 생각. 동의에 의한 교육에서 그 동기부여차원에서도 학습진행 스타일이 다르리란 생각이 듬.
         그 중 조심스럽게 접근하는 것이 '가로질러 생각하기' 이다. 이는 아직 1002가 Good Reader / Good Listener 가 아니여서이기도 한데, 책을 한번 읽고 그 내용에 대해 제대로 이해를 하질 못한다. 그러한 상황에서 나의 주관이 먼저 개입되어버리면, 그 책에 대해 얻을 수 있는 것이 그만큼 왜곡되어버린다고 생각해버린다. NoSmok:그림듣기 의 유용함을 알긴 하지만.
         이전에 ["1002/책상정리"] 가 생각이 나서, 하드 안에 있는 소스, 문서들에 대해 일종의 LRU 알고리즘을 생각해보기로 했다. 즉, Recent Readed 라는 디렉토리를 만들고, 최근에 한번이라도 건드린 코드, 문서들은 Recent Readed 쪽에 복사를 하는 것이다. 그리고, 읽었던 소스에 대해서는 라이브러리화하는 것이다. 이렇게 해서 한 6개월쯤 지난뒤, 정리해버리면 되겠지 하는 생각.
         TDDBE를 PowerReading 에서의 방법을 적용해서 읽어보았다. 내가 필요로 하는 부분인 '왜 TDD를 하는가?' 와 'TDD Pattern' 부분에 대해서 했는데, 여전히 접근법은 이해를 위주로 했다. WPM 은 평균 60대. 이해도는 한번은 90% (책을 안보고 요약을 쓸때 대부분의 내용이 기억이 났다.), 한번은 이해도 40%(이때는 사전을 안찾았었다.) 이해도와 속도의 영향은 역시 외국어 실력부분인것 같다. 단어 자체를 모를때, 모르는 문법이 나왔을 경우의 문제는 읽기 방법의 문제가 아닌 것 같다.
         텍스트 해석을 제대로 안할수록 그 모자란 부분을 내 생각으로 채우려고 하는 성향이 보인다. 경계가 필요하다. 왜 PowerReading 에서, 모르는 단어에 대해서는 꼬박꼬박 반드시 사전을 찾아보라고 했는지, 저자 - 독자와의 대화하는 입장에서 일단 저자의 생각을 제대로 이해하는게 먼저인지, 오늘 다시 느꼈다. 느낌으로 끝나지 않아야겠다.
         개인적인 시간관리 툴과 책 읽기 방법에 대해서 아주아주 간단한 것 부터 시작중. 예전같으면 시간관리 책 종류나PowerReading 책을 완독을 한뒤 뭔가 시스템을 큼지막하게 만들려고 했을것이다. 지금은 책을 읽으면서 조금씩 조금씩 적용한다. 가장 간단한 것부터 해보고, 조금씩 조금씩 개인적 시스템을 키워나가기 노력중.
          * Reading - 따로 노트를 준비하진 않았고, WPM 수치가 지극히 낮긴 하지만. 20분정도 투자로 한번 진행 가능.
         MythicalManMonth 에 대해서 PowerReading 에서의 방법들을 적용해보았다. 일단은 이해 자체에 촛점을 맞추고, 손가락을 짚을때에도 이해를 가는 속도를 우선으로 해 보았다.
          * 학교에서 레포트를 쓰기 위해 (["ProgrammingLanguageClass/Report2002_2"]) 도서관에 들렸다. HowToReadIt 의 방법중 다독에 관한 방법을 떠올리면서 약간 비슷한 시도를 해봤다. (오. 방법들 자체가 Extreme~ 해보인다;) 1시간 30분 동안 Java 책 기초서 2권과 원서 1권, VB책 3권정도를 훑어읽었다. (10여권까지는 엄두가 안나서; 도서관이 3시까지밖에 안하는 관계로) 예전에 자바를 하긴 했었지만, 제대로 한 기억은 없다. 처음에는 원서와 고급서처럼 보이는 것을 읽으려니까 머리에 잘 안들어왔다. 그래서 가장 쉬워보이는 기초서 (알기쉬운 Java2, Java2 자바토피아 등 두께 얇은 한서들) 를 읽고선 읽어가니까 가속이 붙어서 읽기 쉬웠다. 3번째쯤 읽어나가니까 Event Listener 의 Delegation 의 의미를 제대로 이해한 것 같고 (예전에는 소스 따라치기만 했었다.) StatePattern으로의 진화 (진화보단 '추후적응' 이 더 맞으려나) 가 용이한 구조일 수 있겠다는 생각을 하게 되었다. (Event Listener 에서 작성했던 코드를 조금만 ["Refactoring"] 하면 바로 StatePattern 으로 적용을 시킬 수 있을 것 같다는 생각이 들었다. 아직 구현해보진 않았기 때문에 뭐라 할말은 아니지만.) 시간이 있었다면 하루종일 시도해보는건데 아쉽게도 학교에 늦게 도착해서;
          * 밀리는 To Read Later를 보면서 다시금 다짐을;
          * Operating System Concepts. Process 관련 전반적으로 훑어봄. 동기화 문제나 데드락 같은 용어들은 이전에 Client / Server Programming 할때 스레드 동기화 부분을 하면서 접해본지라 비교적 친숙하게 다가왔다. (Process 나 Thread 나 동기화 부분에 대해서는 거의 다를바 없어보인다.)
  • 새싹교실/2012/세싹 . . . . 20 matches
          || read()/write() || read()/write() ||
          - thread를 이용하여 서버와 클라이언트를 한 어플리케이션 안에서 사용하는
          * Thread에 대해서 알아보았습니다.
          - thread가 어떤 것인지 왜사용하는지 어떻게 사용하는지 간단히 소개하였습니다.
          * 컴파일이 안되서 인터넷으로 확인해보니 다중 스레드를 쓰려면 gcc에 옵션 -lpthread를 주어야하는군요. - [김희성]
          * 데이터 처리에 대하여 좀 더 검색하였는데 기본적으로 send된 정보는 버퍼에 계속 쌓이며, recv가 큐처럼 버퍼를 지우면서 읽는다고 되어있었습니다. 반면 read와 같은 파일포인터 함수로 읽으면 버퍼를 지우지않고 파일포인터만 이동하는 것 같더군요. recv도 옵션을 변경하면 버퍼에 계속 누적해서 보관할 수 있는거 같습니다.
          * http://www.joinc.co.kr/modules/moniwiki/wiki.php/man/2/read
          잠깐 소개했던 thread프로그래밍을 김희성 학생이 thread로 소켓을 짜는 것인줄 알고 채팅 프로그래밍을 완성시켰네요. 강사 멘붕
          1) thread 프로그래밍
          - thread의 동작 원리와 thread를 어떻게 생성하는지, 종료를 어떻게 시키는지에 대해 배웠습니다.
          - 자세한 내용은 링크를 참조. http://www.joinc.co.kr/modules/moniwiki/wiki.php/Site/Thread/Beginning/WhatThread
          * socket과 thread를 이용하여 메시지를 주고 받을 수 있는 채팅 프로그램을 작성하시오.
         void ReadSector(U64 sector, U32 count, void* buffer);
          hVolume = CreateFile(drive, GENERIC_READ,FILE_SHARE_READ | FILE_SHARE_WRITE, 0,OPEN_EXISTING, 0, 0);
          ReadFile(hVolume, &boot_block, sizeof(boot_block), &cnt, 0);
          ReadSector(boot_block.MftStartLcn * boot_block.SectorsPerCluster, BytesPerFileRecord / boot_block.BytesPerSector, MFT);
         void ReadSector(U64 sector, U32 count, void* buffer)
          ReadFile(hVolume, buffer, count * boot_block.BytesPerSector, &n, &overlap);
          - http://www.codeproject.com/Articles/24415/How-to-read-dump-compare-registry-hives
          http://www.winapi.co.kr/reference/Function/ReadFile.htm
  • RandomWalk2/재동 . . . . 19 matches
         class ReaderTestCase(unittest.TestCase):
          self.reader = Reader()
          self.reader.readTXT('case_0.txt')
          def testCreateReaderClass(self):
          self.assert_(self.reader)
          def testReadTXT(self):
          self.assertEquals('5 5\n',self.reader.getData()[0])
          self.assertEquals('22224444346\n',self.reader.getData()[2])
          self.assertEquals((5,5),self.reader.getBoardLength())
          self.assertEquals((0,0),self.reader.getStartPoint())
          self.assertEquals(expectPath,self.reader.getPath())
          self.board.readTXT('case_0.txt')
          self.board.readTXT(TXT)
          self.moveRoach.readTXT(TXT)
          self.board.readTXT(TXT)
          self.moveRoach.readTXT(TXT)
         class Reader:
          def readTXT(self,TXT):
          self.data = file.readlines()
          self.reader = Reader()
  • JSP/SearchAgency . . . . 17 matches
         import="java.util.*, java.io.BufferedReader, java.io.InputStreamReader, java.io.FileReader,
          org.apache.lucene.index.IndexReader,
          org.apache.lucene.index.FilterIndexReader,
          class OneNormsReader extends FilterIndexReader {
          public OneNormsReader(IndexReader in, String field) {
          IndexReader reader = IndexReader.open(index);
          reader = new OneNormsReader(reader, normsField);
          Searcher searcher = new IndexSearcher(reader);
          BufferedReader in = null;
          in = new BufferedReader(new FileReader(queries));
          in = new BufferedReader(new InputStreamReader(System.in));
          line = in.readLine();
          reader.close();
  • 데블스캠프2011/둘째날/Machine-Learning/NaiveBayesClassifier/송지원 . . . . 17 matches
          FileReader fr = new FileReader(filename);
          BufferedReader br = new BufferedReader(fr);
          line = br.readLine();
          line = br.readLine();
          FileReader fr = new FileReader(filename);
          BufferedReader br = new BufferedReader(fr);
          line = br.readLine();
          line = br.readLine();
         import java.io.BufferedReader;
         import java.io.FileReader;
          public void testArticleRead(List<String> data, List<Integer> frequency, List<String> data2, List<Integer> frequency2){
          FileReader fr = new FileReader(filename);
          BufferedReader br = new BufferedReader(fr);
          line = br.readLine();
          line = br.readLine();
          //testE.testArticleRead(ec.data, ec.frequency, po.data, po.frequency);
          testP.testArticleRead(po.data, po.frequency, ec.data, ec.frequency);
  • WinSock . . . . 16 matches
         서버의 경우 1 user 1 thread 임.
         DWORD WINAPI Threading (LPVOID args)
          DWORD nRead, nWrite, i;
          hFileIn = CreateFile ("d:\test.mp3", GENERIC_READ, FILE_SHARE_READ,
          ReadFile (hFileIn, szBuffer, sizeof (szBuffer), &nRead, NULL);
          nSended = send (socket, szBuffer, nRead, NULL);
          CreateThread (NULL, NULL, Threading, &socketClient, NULL, &dwTemp);
          if (NetworkEvents.lNetworkEvents & FD_READ) {
          DWORD dwDataReaded;
          ioctlsocket (socketClient, FIONREAD, &dwDataReaded);
          szBuffer = (char *)LocalAlloc (LPTR, dwDataReaded);
          recv (socketClient, szBuffer, dwDataReaded, NULL);
          printf ("Data : %s (%d)n", szBuffer, dwDataReaded);
          hFileOut = CreateFile ("testdata.mp3", GENERIC_WRITE, FILE_SHARE_READ,
          if (NetworkEvents.lNetworkEvents & FD_READ) {
          DWORD dwDataReaded;
          ioctlsocket (socketClient, FIONREAD, &dwDataReaded);
          szBuffer = (char *)LocalAlloc (LPTR, dwDataReaded);
          recv (socketClient, szBuffer, dwDataReaded, NULL);
          WriteFile (hFileOut, szBuffer, dwDataReaded, &nWrite, NULL);
  • 데블스캠프2011/둘째날/Machine-Learning/NaiveBayesClassifier/변형진 . . . . 14 matches
         import java.io.BufferedReader;
         import java.io.FileReader;
          BufferedReader[] readers = new BufferedReader[] {
          new BufferedReader(new FileReader("package/test/economy/economy.txt")),
          new BufferedReader(new FileReader("package/test/politics/politics.txt")) };
          for (int i = 0; i < readers.length; i++) {
          BufferedReader reader = readers[i];
          for (String line; (line = reader.readLine()) != null;) {
          reader.close();
         import java.io.BufferedReader;
         import java.io.FileReader;
          BufferedReader reader = new BufferedReader(new FileReader(fileName));
          for (String line; (line = reader.readLine()) != null;) {
          reader.close();
  • 김희성/MTFREADER . . . . 13 matches
         = _mft_reader.h =
         class _MFT_READER
          long ReadAttribute(FILE* fp, unsigned char* offset, long flag);
          void ReadSector(U64 sector, U32 count, void* buffer);
          __int64 ReadCluster(unsigned char* point,unsigned char* info);
          _MFT_READER
          hVolume = CreateFile(drive, GENERIC_READ,FILE_SHARE_READ | FILE_SHARE_WRITE, 0,OPEN_EXISTING, 0, 0);
          ReadFile(hVolume, &boot_block, sizeof(boot_block), &cnt, 0);
         = _mft_reader_private.cpp =
         #include"_MFT_READER.h"
         void _MFT_READER::LoadMFT()
          ReadSector((boot_block.MftStartLcn) * boot_block.SectorsPerCluster, BytesPerFileRecord / boot_block.BytesPerSector, $MFT);
          MFTLength=ReadCluster((unsigned char*)$MFT+point+i,(unsigned char*)MFT);
         void _MFT_READER::ReadSector(U64 sector, U32 count, void* buffer)
          ReadFile(hVolume, buffer, count * boot_block.BytesPerSector, &n, &overlap);
         long _MFT_READER::ReadAttribute(FILE* fp, unsigned char* point, long flag)
          ReadCluster(point+(*(short*)((unsigned char*)point+32)),offset);
         __int64 _MFT_READER::ReadCluster(unsigned char* point,unsigned char* info)
          ReadSector(offset * boot_block.SectorsPerCluster,
         = _mft_reader_public.cpp =
  • ClassifyByAnagram/sun . . . . 12 matches
          BufferedReader reader = new BufferedReader( new InputStreamReader( in ));
          String readLine;
          while( (readLine=reader.readLine()) != null ) {
          putTable( readLine.trim() );
          BufferedReader reader = new BufferedReader( new InputStreamReader( in ));
          String readLine;
          while( (readLine=reader.readLine()) != null )
          putTable( readLine.trim() );
          BufferedReader reader = new BufferedReader( new InputStreamReader( in ));
          String readLine;
          while( (readLine=reader.readLine()) != null )
          putTable( readLine.trim() );
          BufferedReader reader = new BufferedReader( new InputStreamReader( in ));
          String readLine;
          while( (readLine=reader.readLine()) != null )
          if( readLine.length() != 0 )
          add( readLine );
  • NamedPipe . . . . 12 matches
         VOID InstanceThread(LPVOID); // 쓰레드 함수
          DWORD dwThreadId;
          HANDLE hPipe, hThread; // 쓰레드 핸들
         // connects, a thread is created to handle communications
          PIPE_ACCESS_DUPLEX, // read/write access
          PIPE_READMODE_MESSAGE | // message-read mode
          // Create a thread for this client. // 연결된 클라이언트를 위한 쓰레드를 생성시킨다.
          hThread = CreateThread(
          (LPTHREAD_START_ROUTINE) InstanceThread, // InstanceThread를 생성시킨다.
          (LPVOID) hPipe, // thread parameter // 쓰레드 Parameter로 hPipe 핸들값이 들어간다.
          &dwThreadId); // returns thread ID
          // 쓰레드가 생성이 되면 hThread 값이 NULL 이고 그렇지 않으면 열어 놓은 Handle값을 닫아준다.
          if (hThread == NULL)
          MyErrExit("CreateThread");
          CloseHandle(hThread);
         VOID InstanceThread(LPVOID lpvParam)
          DWORD cbBytesRead, cbReplyBytes, cbWritten;
         // The thread's parameter is a handle to a pipe instance.
          // Read client requests from the pipe.
          fSuccess = ReadFile(
  • JollyJumpers/황재선 . . . . 10 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
          message = in.readLine();
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
          line = in.readLine();
  • 레밍즈프로젝트/프로토타입/파일스트림 . . . . 9 matches
         || Read || Reads (unbuffered) data from a file at the current file position. ||
         || ReadHuge || Can read more than 64K of (unbuffered) data from a file at the current file position. Obsolete in 32-bit programming. See Read. ||
         void CFileioView::OnReadfile()
          if(!Rfile.Open("TestFile.txt", CFile::modeRead))
          Rfile.Read(ps,FileLength);
         파일에 쓰여진 'A' ~ 'Z'까지 불러들여서 화면에 출력하는 함수 (OnReadFile()) 함수이다.
         기본적인 Read() 함수도 사용할 것 같다.
  • 데블스캠프2004/금요일 . . . . 8 matches
          * BufferedReader - 캐릭터, 배열, 행을 버퍼링 하는 것에 의해, 캐릭터형 입력 스트림으로부터 텍스트를 읽어들인다
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          static BufferedReader breader;
          breader
          = new BufferedReader(new InputStreamReader(System.in));
          return Integer.parseInt(breader.readLine());
          return breader.readLine();
          breader = new BufferedReader(new InputStreamReader(System.in));
  • ClassifyByAnagram/김재우 . . . . 7 matches
         """, outStr.read() )
         """, outStr.read() )
          for line in input.readlines():
          [STAThread]
          String line = Console.ReadLine();
          line = Console.ReadLine();
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader reader = new BufferedReader( new InputStreamReader( System.in ) );
          String word = reader.readLine();
          word = reader.readLine();
  • JSP/FileUpload . . . . 7 matches
          int byteRead = 0;
          int totalBytesRead = 0;
          while (totalBytesRead < formDataLength) {
          byteRead = in.read(dataBytes, totalBytesRead, formDataLength);
          totalBytesRead += byteRead;
  • 데블스캠프2011/둘째날/Machine-Learning/NaiveBayesClassifier/강성현 . . . . 7 matches
         import java.io.InputStreamReader;
          scan = new Scanner(new InputStreamReader(new FileInputStream(filename),"UTF-8"));
         import java.io.InputStreamReader;
         import au.com.bytecode.opencsv.CSVReader;
          CSVReader csv = new CSVReader(new InputStreamReader(new FileInputStream("result.csv"), "UTF-8"));
          String[][] data = csv.readAll().toArray(new String[0][0]);
  • 조영준/다대다채팅 . . . . 7 matches
         using System.Threading.Tasks;
         using System.Threading;
         using System.Threading.Tasks;
         using System.Threading;
          Thread t1 = new Thread(new ThreadStart(manageConnection));
          Thread t3 = new Thread(new ThreadStart(ManageChat));
          Console.ReadLine();
          string s = Console.ReadLine();
         using System.Threading.Tasks;
         using System.Threading;
          Thread t = new Thread(new ThreadStart(doChat));
          stream.Read(byteGet, 0, socket.ReceiveBufferSize);
          stream.Read(byteGet, 0, socket.ReceiveBufferSize);
         using System.Threading.Tasks;
         using System.Threading;
          Thread t1 = new Thread(new ThreadStart(read));
          Thread t2 = new Thread(new ThreadStart(write));
          Console.ReadLine();
          static void read()
          networkStream.Read(byteGet, 0, clientSocket.ReceiveBufferSize);
  • ClassifyByAnagram/Passion . . . . 6 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader(new InputStreamReader(ins));
          while((line = in.readLine()) != null)
          public void testReadFie() throws IOException
  • JavaHTMLParsing/2011년프로젝트 . . . . 6 matches
          import java.io.InputStreamReader;
          import java.io.BufferedReader;
          InputStreamReader isr;
          BufferedReader br;
          isr = new InputStreamReader(is);
          br = new BufferedReader(isr);
          buf = br.readLine();
  • NSIS/Reference . . . . 6 matches
         || ReadRegStr || . || . ||
         || ReadRegDWORD || . || . ||
         || ReadINIStr || . || . ||
         || ReadEnvStr || . || . ||
         || FileRead || . || . ||
         || FileReadByte || . || . ||
  • PythonNetworkProgramming . . . . 6 matches
         from threading import *
         class ListenThread(Thread):
          Thread.__init__(self)
          listenThread=ListenThread(self)
          listenThread.start()
          my_server = ThreadingTCPServer (HOST, MyServer)
         from threading import *
         class FileSendChannel(asyncore.dispatcher, Thread):
          Thread.__init__(self)
          def handle_read(self):
          currentReaded=0
          while currentReaded < fileSize:
          data = f.read(1024)
          #currentReaded = f.tell()
          currentReaded+=sended
          f.seek(currentReaded, 0)
          print "current : %d, sended : %d"%(currentReaded, sended)
          def handle_read(self):
          def handle_read(self):
  • .vimrc . . . . 5 matches
         set viminfo='20,"50 " read/write a .viminfo file, don't store more
          au BufReadPre *.bin let &bin=1
          au BufReadPost *.bin if &bin | %!xxd
          au BufReadPost *.bin set ft=xxd | endif
          au BufNewFile,BufRead /tmp/cvs* set fenc=utf-8 enc=utf-8
          au BufNewFile,BufRead ChangeLog* set fenc=utf-8 enc=utf-8
  • HowManyZerosAndDigits/임인택 . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          int n = readInt();
          int b = readInt();
          public static int readInt() throws Exception {
          BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));
          String intVal = reader.readLine();
  • JavaStudy2002/입출력관련문제 . . . . 5 matches
          BufferedReader bufferReader = new BufferedReader(new InputStreamReader(System.in));
          input = bufferReader.readLine();
  • JollyJumpers/iruril . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader( new InputStreamReader(System.in));
          input = in.readLine();
         === Thread ===
  • JollyJumpers/신재동 . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));
          String line = reader.readLine();
  • MineSweeper/황재선 . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
          input = in.readLine();
  • PrimaryArithmetic/sun . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader( new InputStreamReader( System.in ));
          while( (line=in.readLine()) != null ) {
  • ReadySet 번역처음화면 . . . . 5 matches
         == ReadySET: Project Overview ==
         ReadySET is an open source project to produce and maintain a library of reusable software engineering document templates. These templates provide a ready starting point for the documents used in software development projects. Using good templates can help developers work more quickly, but they also help to prompt discussion and avoid oversights.
         Yes. It is part of the Tigris.org mission of promoting open source software engineering. It is also the first product in a product line that will provide even better support to professional software developers. For more information, see [http://www.readysetpro.com ReadySET Pro] .
         The template set is fairly complete and ready for use in real projects. You can [http://readyset.tigris.org/servlets/ProjectDocumentList download] recent releases. We welcome your feedback.
         For the latest news, see the [http://readyset.tigris.org/servlets/ProjectNewsList Project Announcements].
         ReadySET is aimed at software engineers who wish that their projects could go more smoothly and professionally. ReadySET can be used by anyone who is able to use an HTML editor or edit HTML in a text editor.
          *2. [http://readyset.tigris.org/servlets/ProjectDocumentList Download] the templates and unarchive
          *9. If you have questions or insights about a templates, please read the FAQ or send an email to dev@readyset.tigris.org. You must subscribe to the mailing list before you may post.
  • TheTrip/황재선 . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
          BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
          String line = in.readLine();
  • 만년달력/김정현 . . . . 5 matches
          private boolean isReady= false;
          isReady= true;
          if(!isReady()) {
          private boolean isReady() {
          return isReady;
  • 프로그래밍/DigitGenerator . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.FileReader;
          BufferedReader br = new BufferedReader(new FileReader("test.txt"));
          String line = br.readLine();
          line = br.readLine();
  • 프로그래밍/Pinary . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.FileReader;
          BufferedReader br = new BufferedReader(new FileReader("test.txt"));
          String line = br.readLine();
          line = br.readLine();
  • 프로그래밍/Score . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.FileReader;
          public void readFile() {
          BufferedReader br = new BufferedReader(new FileReader("test.txt"));
          String line = br.readLine();
          line = br.readLine();
          s.readFile();
  • 프로그래밍/장보기 . . . . 5 matches
         import java.io.BufferedReader;
         import java.io.FileReader;
          private static BufferedReader br;
          line = br.readLine();
          br = new BufferedReader(new FileReader("test.txt"));
          String line = br.readLine();
          line = br.readLine();
  • BasicJava2005/3주차 . . . . 4 matches
          * 1.4이전 : BufferedReader클래스를 사용할 수 있다.
         BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
          String line = br.readLine();
  • DiceRoller . . . . 4 matches
          * Start / Ready의 자동 Click
          GetWindowThreadProcessId(hWnd, &ProcessId); // hWnd로 프로세스 ID를 얻음..
          DWORD ReadBytes;
          ReadProcessMemory(hProcess, (LPCVOID)0x400000, buffer, 100, &ReadBytes);
  • FileInputOutput . . . . 4 matches
         a,b=[int(i) for i in fin.read().split()]
         InputStreamReader isr = new InputStreamReader(new FileInputStream(fileName));
         BufferedReader br = new BufferedReader(isr);
         while((inputString = br.readLine()) != null) {
  • Refactoring/MakingMethodCallsSimpler . . . . 4 matches
         Object lastReading () {
          return readings.lastElement ();
         Reading lastReading () {
          return (Reading) readings.lastElement ();
  • SeminarHowToProgramIt . . . . 4 matches
         애들러의 How to Read a Book과 폴리야의 How to Solve it의 전통을 컴퓨터 프로그래밍 쪽에서 잇는 세미나가 2002년 4월 11일 중앙대학교에서 있었다.
          * What to Read -- Programmer's Reading List
         ==== Thread ====
         ||Programmer's Journal, Lifelong Learning & What to Read||2 ||
  • 오픈소스검색엔진Lucene활용 . . . . 4 matches
          in = new BufferedReader(new InputStreamReader(System.in, "UTF-8"));
          in = new BufferedReader(new InputStreamReader(System.in));
  • 정모/2013.5.6/CodeRace . . . . 4 matches
          StreamReader sr = new StreamReader(@"C:\test.txt");
          while ((line = sr.ReadLine()) != null)
          Console.Read();
  • 조영준/CodeRace/130506 . . . . 4 matches
          StreamReader sr = new StreamReader(@"C:\test.txt");
          while ((line = sr.ReadLine()) != null)
          Console.Read();
  • 토이/메일주소셀렉터/김정현 . . . . 4 matches
          public String read(String fileName) {
          FileReader fr;
          fr = new FileReader(getTextFileForm(fileName));
          BufferedReader br = new BufferedReader(fr);
          while(br.ready()) {
          resultString += br.readLine();
          return getRemade(read(fileName));
  • CodeRace/20060105/민경선호재선 . . . . 3 matches
          private BufferedReader br;
          br = new BufferedReader(new FileReader("alice.txt"));
          public String readLine() {
          line = br.readLine();
          line = readLine();
  • MoreEffectiveC++/Techniques2of3 . . . . 3 matches
         하지만 non-const의 operator[]는 이것(const operator[])와 완전히 다른 상황이 된다. 이유는 non-const operator[]는 StringValue가 가리키고 있는 값을 변경할수 있는 권한을 내주기 때문이다. 즉, non-const operator[]는 자료의 읽기(Read)와 쓰기(Write)를 다 허용한다.
         cout << s[3]; // 이건 읽기(Read)
          === Distinguishing Reads from Writes via operator[] : operator[]의 쓰기에 기반한 읽기를 구별 ===
         다차원 배열과 같은 인스턴스를 만드는 프록시의 사용은 일반적이다. 하지만 프록시 클래스들은 일반 배열보다 유연하지 못하다. Item 5에서 예를 들어 보면 어떻게 프록시 클래스들이 의도하지 않은 생성자의 사용을 막을수 있는지 방법을 보여준다. 하지만 프록시 클래스의 다채로운 사용이 가장 잘알려진 것은 마로 operator[]에서 write와 read를 구분하는 것이다.
  • ProjectSemiPhotoshop/SpikeSolution . . . . 3 matches
          if(!file.Open(lpszFileName, CFile::modeRead|CFile::shareDenyWrite, &fe))
          if(file.Read((LPSTR)&bmfHeader, sizeof(bmfHeader))!=sizeof(bmfHeader))
          if (file.ReadHuge(pDIB, dwBitsSize - sizeof(BITMAPFILEHEADER)) != dwBitsSize - sizeof(BITMAPFILEHEADER) )
         == Thread ==
  • StringOfCPlusPlus/세연 . . . . 3 matches
          void ReadWord();
         void SearchWord::ReadWord()
          word.ReadWord();
  • whiteblue/파일읽어오기 . . . . 3 matches
          // Read the number of Book...
          // Read data from UserData file...
          // Read data from BookData file...
  • 작은자바이야기 . . . . 3 matches
          * Collection 일반화, 순차적 순회, 대부분의 자료구조에서 O(1), 변경하지 않는 한 thread safe
          * Reader와 InputStream의 차이
          * 인코딩 문제의 차이. 인코딩 문제를 해결하기 위해서 Reader, Writer를 만들었다. Reader는 인코딩 정보를 들고있어야 한다.
          * lookahead inputstream. 기존의 input stream은 한 번 read하면 끝나지만 lookahead 버퍼를 가지고 있어서 한 번 read한 후에 다시 read하기 전의 상태로 돌아갈 수 있다.
          * servlet의 thread safety
          * servlet은 thread per request 구조로 하나의 servlet 객체가 여러개의 스레드에서 호출되는 구조.
          * filter, servlet은 하나의 객체를 url에 매핑해서 여러 스레드에서 쓰이는 것임. 따라서 thread-safe 해야 한다.
          * thread-safe하기 위해서는 stateful해서는 안 된다. Servlet이 stateless하더라도 내부에 stateful한 객체를 들고 있으면 결국은 stateful하게 된다. 자주 하는 실수이므로 조심하도록 하자.
          ThreadLocal을 사용한다. ThreadLocal은 각 스레드마다 서로 다른 객체를 들고 있는 컨테이너이다.
  • BasicJAVA2005/실습1/조현태 . . . . 2 matches
         import java.io.BufferedReader;
         import java.io.InputStreamReader;
  • CppStudy_2002_2/STL과제/성적처리 . . . . 2 matches
          void dataReader()
          _aScoreProcessor.dataReader();
  • JollyJumpers/조현태 . . . . 2 matches
          String text = System.Console.ReadLine();
          text = System.Console.ReadLine();
  • MoreEffectiveC++ . . . . 2 matches
          * Recommended Reading
          * 아, 드디어 끝이다. 사실 진짜 번역처럼 끝을 볼려면 auto_ptr과 Recommended Reading을 해석해야 하겠지만 내마음이다. 더 이상 '''내용'''이 없다고 하면 맞을 까나. 휴. 원래 한달정도 죽어라 매달려 끝낼려고 한것을 한달 반 좀 넘겼다. (2월은 28일까지란 말이다. ^^;;) 이제 이를 바탕으로한 세미나 자료만이 남았구나. 1학기가 끝나고 방학때 다시 한번 맞춤법이나 고치고 싶은 내용을 고칠것이다. 보람찬 하루다.
         = Thread =
  • MoreEffectiveC++/Exception . . . . 2 matches
          ALA * readALA(istream& s);
          ALA *pa = readALA(dataSource);
          ALA *pa = readALA(dataSource);
          auto_ptr<ALA> pa(readALA(dataSource));
          BookEntry b( "Addison-Wesley Publishing Company", "One Jacob Way, Reading, MA 018678");
          pb = new BookEntry( "Addison-Wesley Publishing Company", "One Jacob Way, Reading, MA 018678");
  • R'sSource . . . . 2 matches
          lines = a.readlines()
          print 'reading page....'
          beReadingUrl = 'http://www.replays.co.kr/technote/main.cgi?board=bestreplay_pds&number=%d&view=2&howmanytext=' % i
          aaa = urllib.urlopen(beReadingUrl)
          lines = aaa.readlines()
          lines = a.readlines()
          fp.write(aa.read())
  • WebGL . . . . 2 matches
          onReady(gl, cubeBuffer, shader);
         function onReady(gl, buffer, shader){
          ajax.onreadystatechange = function(){
          if(ajax.readyState === 4){
  • [Lovely]boy^_^/Diary/2-2-9 . . . . 2 matches
          * Power Reading, Methapors we live by 제본판 입수.
          * I get Power Reading, and Methapors we live by BindingBook
          * I read the TheMythicalManMonth Chapter5,6. I feel chapter5's contents a bit.. I can't know precision contents.--; It's shit.. I read a chapter6 not much, because I'm so tired. I'll get up early tomorrow, and read chapter6.
  • naneunji . . . . 2 matches
         === Reading ===
          ["naneunji/Read"]
  • neocoin/Read/5-6 . . . . 2 matches
         ["neocoin/Read"]/5-6
         ["neocoin/Read"]/5-6
  • 데블스캠프2006/월요일/연습문제/웹서버작성/변형진 . . . . 2 matches
          while(false!==($read = socket_read($client_socket, 100, PHP_NORMAL_READ)))
          echo "> ".$read;
          if(!$read = trim($read)) $cnt++;
          if(preg_match("/(GET|POST) (\/[^ \/]*) (HTTP\/[0-9]+.[0-9]+)/i", $read, $t))
          if(is_readable($file.$idxf))
          if(is_readable($file))
          $to_read = $file;
          if($read == "close")
          elseif($read == "a")
          $result = $read;
          elseif($read == "exit")
          if($to_read)
          if(preg_match("/\.(html|htm|php)$/", $to_read))
          $buffer = shell_exec(trim("php ".escapeshellarg($to_read)));
          $fp = fopen($to_read, "r");
          echo "ASCII Read: ";
          $fp = fopen($to_read, "rb");
          echo "Binary-safe Read: ";
          $buffer=fread($fp,128);
          echo $to_read;
  • 상협/감상 . . . . 2 matches
         || ["PowerReading"] || - || - || 1 || ★★★★★ ||
         || [여섯색깔모자] || 에드워드 드 보노 || 1 ||4/24 ~ 5/1 || 이책은 PowerReading 처럼 활용정도에 따라서 가치가 엄청 달라질거 같다. ||
  • 영어학습방법론 . . . . 2 matches
          * 잘 안외어지는 단어는 동화[자신이 한글로 계속 보고 싶을 정도로 좋아할 정도로 잘 아는 것. ex) Readers]같은 예문을 모르는 단어를 search하면서 그 단어의 쓰임을 예문을 통해서 외운다.
          * 페이지당 3, 4단어 정도 모르는게 적당. Level선택두 아주 중요함(읽기만 아니라 듣기도 해야하기때문) Cambridge, Longman, Oxford같은 출판사에서 나온 것을 선택하는 것이 좋음. Penguin Readers 시리즈가 유명함. Tape과 책이랑 같이 있음. 같이 구입 보통 각 책마다 level이 표시되어 있음(단어숫자라던지 교육과정정도를 표기) Tape : 성우가 재밌게 동화구연을 하는 것이라면 더 재밌다. 더 집중할 수 있다. ^^
  • 조영준/파스칼삼각형/이전버전 . . . . 2 matches
          s = Console.ReadLine(); //삼각형 크기를 입력받음
          s = Console.ReadLine(); //삼각형 크기를 입력받음
  • 지금그때/OpeningQuestion . . . . 2 matches
         같은 주제 읽기(see HowToReadIt)를 하기에 도서관만한 곳이 없습니다. 그 경이적인 체험을 꼭 해보길 바랍니다. 그리고 도서신청제도를 적극적으로 활용하세요. 학생 때는 돈이 부족해서 책을 보지 못하는 경우도 있는데, 그럴 때에 사용하라고 도서신청제도가 있는 것입니다. --JuNe
         책은 NoSmok:WhatToRead 를 참고하세요. 학생 때 같이 시간이 넉넉한 때에 (전공, 비전공 불문) 고전을 읽어두는 것이 평생을 두고두고 뒷심이 되어주며, 가능하다면 편식을 하지 마세요. 앞으로 나의 지식지도가 어떤 모양새로 나올지는 아무도 모릅니다. 내가 오늘 읽는 책이 미래에 어떻게 도움이 될지 모르는 것이죠. 항상 책을 읽으면서 자기의 "시스템"을 구축해 나가도록 하세요. 책을 씹고 소화해서 자기 몸化해야 합니다. 새로운 정보/지식이 들어오면 자기가 기존에 갖고 있던 시스템과 연결지으려는 노력을 끊임없이 하세요.
  • AcceleratedC++/Chapter10 . . . . 1 match
         == 10.5 Reading and writing files ==
  • AcceleratedC++/Chapter4 . . . . 1 match
          === 4.1.3 Reading homework grades ===
         istream& read_hw(istream& in, vector<double>& hw)
         read_hw(cin, homework); // 호출
         istream& read_hw(istream& in, vector<double>& hw)
          * 지금까지 만든 세개의 함수 median, grade, read_hw 를 살펴보자.
          * read_hw 함수를 보면, 복사는 하지 않고, 그 값을 변경하기 위해 참조만 썼다.
         istream& read_hw(istream& in, vector<double>& hw);
          read_hw(cin, homework);
         istream& read_hw(istream& in, vector<double>& hw)
          * 데이터 구조가 바뀌었으니, 우리의 프로그램도 약간 변경을 해야할 것이다. 먼저 read
         istream& read(istream& is, Student_info& s)
          read_hw(is, s.homework);
  • B급좌파 . . . . 1 match
         글 투를 보면 대강 누가 썼는지 보일정도이다. Further Reading 에서 가끔 철웅이형이 글을 실을때를 보면.
  • EnglishWritingClass/Exam2006_1 . . . . 1 match
         교과서 "Ready To Write" 에서 제시된 글쓰기의 과정을 묻는 문제가 다수 출제되었음. (비록 배점은 낮지만)
  • FocusOnFundamentals . . . . 1 match
         Readers familiar with the software field will note that today's "important" topics are not
  • Gnutella-MoreFree . . . . 1 match
          또한 Entica에서 필요로하는 Search / MultiThreadDownloader를 지원하며
         실제적으로 하나의 Host마다 CGnuDownload 클래스를 갖게 되며 데이타를 받는 소켓이 된다m_StartPos가 받기 시작하는 Chunk의 시작을 나타내며 ReadyFile()에서는 전의 받던 파일이 있는 지 조사후에 File을 연다.
         == Thread ==
  • Gof/FactoryMethod . . . . 1 match
          클래스 식별자를 읽고서 Framework는 식별자를 Create에게 넘기면서 호출한다. Create는 적당한 클래스를 찾고, 그것을 객체의 생성에 사용한다. 마지막으로 Create는 객체의 Read 수행을 호출하여 디스크에 정보를 저장하고, 인스턴스 변수들을 초기화 한다.
  • HowToReadIt . . . . 1 match
         NoSmok:HowToReadIt
         = Thread =
  • HowToStudyDataStructureAndAlgorithms . . . . 1 match
         알고리즘을 공부하면 큰 줄기들을 알아야 합니다. 개별 테크닉들도 중요하지만 "패러다임"이라고 할만한 것들을 알아야 합니다. 그래야 알고리즘을 상황에 맞게 마음대로 응용할 수 있습니다. 또, 자신만의 분류법을 만들어야 합니다. (see also HowToReadIt Build Your Own Taxonomy) 구체적인 문제들을 케이스 바이 케이스로 여럿 접하는 동안 그냥 지나쳐 버리면 개별자는 영원히 개별자로 남을 뿐입니다. 비슷한 문제들을 서로 묶어서 일반화를 해야 합니다. (see also DoItAgainToLearn)
  • HowToStudyDesignPatterns . . . . 1 match
          ''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.
          Read Design Patterns like a novel if you must, but few people will become fluent that way. Put the patterns to work in the heat of a software development project. Draw on their insights as you encounter real design problems. That’s the most efficient way to make the GoF patterns your own.''
          ''...but I always teach Composite Pattern, Strategy Pattern, Template Method Pattern, and Factory Method Pattern before I teach Singleton Pattern. They are much more common, and most people are probably already using the last two. ... ''
  • IdeaPool/PrivateIdea . . . . 1 match
         || 남상협 || 웹지도 브라우저 || 2006.12.19 || Ready || 유상욱 || [WebMapBrowser], [ProjectWMB] ||
  • LinearAlgebraClass . . . . 1 match
         길버트 스트랭은 선형대수학 쪽에선 아주 유명한 사람으로, 그이의 ''Introduction to Linear Algebra''는 선형대수학 입문 서적으로 정평이 나있다. 그의 MIT 수업을 이토록 깨끗한 화질로 "공짜로" 한국 안방에 앉아서 볼 수 있다는 것은 축복이다. 영어 듣기 훈련과 수학공부 두마리를 다 잡고 싶은 사람에게 강력 추천한다. 선형 대수학을 들었던(그리고 학기가 끝나고 책으로 캠프화이어를 했던) 사람이라면 더더욱 추천한다. (see also HowToReadIt 같은 대상에 대한 다양한 자료의 접근) 대가는 기초를 어떻게 가르치는가를 유심히 보라. 내가 학교에서 선형대수학 수강을 했을 때, 이런 자료가 있었고, 이런 걸 보라고 알려주는 사람이 있었다면 학교 생활이 얼마나 흥미진지하고 행복했을지 생각해 보곤 한다. --JuNe
  • LionsCommentaryOnUnix . . . . 1 match
         훌륭한 화가가 되기 위해선 훌륭한 그림을 직접 자신의 눈으로 보아야 하고(이걸 도록으로 보는 것과 실물을 육안으로 보는 것은 엄청난 경험의 차이다) 훌륭한 프로그래머가 되기 위해선 Wiki:ReadGreatPrograms 라고 한다. 나는 이에 전적으로 동감한다. 이런 의미에서 라이온의 이 책은 OS를 공부하는 사람에게 바이블(혹은 바로 그 다음)이 되어야 한다.
  • Memo . . . . 1 match
         Upload:ReadMe.txt
         import thread
         from threading import *
         class ConnectManager(Thread):
          Thread.__init__(self)
          my_server = ThreadingTCPServer(HOST, MyServer)
  • MindMapConceptMap . . . . 1 match
         How To Read a Book 과 같은 책에서도 강조하는 내용중에 '책을 분류하라' 와 '책의 구조를 파악하라'라는 내용이 있다. 책을 분류함으로서 기존에 접해본 책의 종류와 비슷한 방법으로 접근할 수 있고, 이는 시간을 단축해준다. 일종의 知道랄까. 지식에 대한 길이 어느정도 잡혀있는 곳을 걸어가는 것과 수풀을 해치며 지나가는 것은 분명 그 속도에서 차이가 있을것이다.
  • MoreEffectiveC++/Efficiency . . . . 1 match
          === Distinguishing Read from Writes ( 읽기와 쓰기의 구분 ) ===
          cout << s[3]; // operator []를 호출해서 s[3]을 읽는다.(read)
         첫번째 operator[]는 문자열을 읽는 부분이다,하지만 두번째 operator[]는 쓰기를 수행하는 기능을 호출하는 부분이다. 여기에서 '''읽기와 쓰기를 구분'''할수 있어야 한다.(distinguish the read all from the write) 왜냐하면 읽기는 refernce-counting 구현 문자열로서 자원(실행시간 역시) 지불 비용이 낮고, 아마 저렇게 스트링의 쓰기는 새로운 복사본을 만들기 위해서 쓰기에 앞서 문자열 값을 조각내어야 하는 작업이 필요할 것이다.
  • NSIS/예제3 . . . . 1 match
         File: "ReadMe.txt" [compress] 1322/3579 bytes
  • NeoCoin/Server . . . . 1 match
         ["Read"]
  • NextEvent . . . . 1 match
         현재 재학 중인 학생들 중 단 한 명이라도 오는 14, 15일의 Seminar:ReadershipTraining 에 와서 "공부하는 방법"을 배워가면, 그리고 그 문화를 퍼뜨릴 수 있다면 참 좋겠습니다. --JuNe
  • PerformanceTest . . . . 1 match
         펜티엄 이상의 CPU에서 RDTSC(Read from Time Stamp Counter)를 이용하는 방법이 있다. 펜티엄은 내부적으로 TSC(Time Stamp Counter)라는 64비트 카운터를 가지고 있는데 이 카운터의 값은 클럭 사이클마다 증가한다. RDTSC는 내부 TSC카운터의 값을 EDX와 EAX 레지스터에 복사하는 명령이다. 이 명령은 6에서 11클럭을 소요한다. Win32 API의 QueryPerformanceCounter도 이 명령을 이용해 구현한 것으로 추측된다. 인라인 어셈블러를 사용하여 다음과 같이 사용할 수 있다.
         Windows는 Multi-Thread로 동작하지 않습니까? 위 코드를 수행하다가 다른 Thread로 제어가 넘어가게 되면 어떻게 될까요? 아마 다른 Thread의 수행시간까지 덤으로 추가되지 않을까요? 따라서 위에서 작성하신 코드들은 정확한 수행시간을 측정하지 못 할 것 같습니다. 그렇다고 제가 정확한 수행시간 측정을 위한 코드 작성 방법을 알지는 못합니다. -_-;
  • ProjectPrometheus/MappingObjectToRDB . . . . 1 match
          For Recommendation System (Read Book, point )
  • REFACTORING . . . . 1 match
         Refactoring 책을 읽는 사람들을 위해. Preface 의 'Who Should Read This Book?' 을 보면 책을 읽는 방법이 소개 된다.
         === Thread ===
  • RonJeffries . . . . 1 match
         This will sound trite but I believe it. Work hard, be thoughtful about what happens. Work with as many other people as you can, teaching them and learning from them and with them. Read everything, try new ideas in small experiments. Focus on getting concrete feedback on what you are doing every day -- do not go for weeks or months designing or building without feedback. And above all, focus on delivering real value to the people who pay you: deliver value they can understand, every day. -- Ron Jeffries
  • STLErrorDecryptor . . . . 1 match
         = Before Reading =
  • SchemeLanguage . . . . 1 match
          * 위문서를 보기위해서는 [http://object.cau.ac.kr/selab/lecture/undergrad/ar500kor.exe AcrobatReader]가 필요하다.
  • Spring/탐험스터디/2011 . . . . 1 match
          리소스 함수의 4가지 method : CRUD(Create, Read, Update, Delete)
         Exception in thread "main" java.lang.NoClassDefFoundError: org/apache/commons/logging/LogFactory
  • TFP예제/WikiPageGather . . . . 1 match
          self.assertEquals (self.pageGather.GetWikiPage ("FrontPage"), '=== Reading ===\n' +
          lines = pagefile.readlines ()
  • TheJavaMan/비행기게임 . . . . 1 match
          (압축을 풀면 나오는 Readme파일에 게임 설명이 있습니다.)
         == Thread ==
          * DoubleBuffering , Thread 등을 적절하게 이용해보세요~* - [임인택]
  • ToyProblems . . . . 1 match
          * How to Read and Do Proofs
  • UML . . . . 1 match
         However, collaboration diagrams use the free-form arrangement of objects and links as used in Object diagrams. In order to maintain the ordering of messages in such a free-form diagram, messages are labeled with a chronological number and placed near the link the message is sent over. Reading a Collaboration diagram involves starting at message 1.0, and following the messages from object to object.
  • VacationOfZeroPage . . . . 1 match
         2박3일 정도 교외로 RT를 가면 어떨까요? (see also Seminar:ReadershipTraining ) JuNe이 학부생으로 되돌아 간다면 선배, 후배, 동기들과 컴퓨터 고전을 들고 RT를 할 겁니다.
         === Thread ===
  • WinCVS . . . . 1 match
          1. 고칠수 있는 공간에 나온 파일들은 ReadOnly가 걸려있기 때문에 수정이 불가능하다.
         = Thread =
  • ZPHomePage . . . . 1 match
          * http://cafe.naver.com/rina7982.cafe?iframe_url=/ArticleRead.nhn%3Farticleid=750 - 웹안전색상
         === Thread ===
  • ZP도서관 . . . . 1 match
         || How To Read a Book || Adler, Morimer Jero || Simon and Schuster || 도서관 소장(번역판 '논리적독서법' 도서관 소장, ["1002"] 소유. 그 외 번역판 많음) || 독서기법관련 ||
         == Thread ==
  • ZeroPage정학회만들기 . . . . 1 match
         = thread =
          * 이번에 르네상스클럽에서 할 Seminar:ReadershipTraining 와 같은 행사의 과내 행사화. RT와 Open Space Technology 를 조합하는 방법도 가능하리란 생각.
  • [Lovely]boy^_^/Diary/2-2-16 . . . . 1 match
          * I read a novel named the Brain all day. Today's reading amount is about 600 pages. It's not so interesting as much as the price of fame.
          * I read a little Power Reading. Today's reading's principle content is using a regulator(ex) pen, pinger. etc). but this method is what I have used all the time.--; I should read a lot more.
          * I studied ProgrammingPearls chapter 3. When I was reading, I could find familiar book name - the Mythical Man Month, and Code Complete.
          * I read a Squeak chapter 1,2.
  • callusedHand . . . . 1 match
          ''DeleteMe) 처음 독서 방법에 대한 책에 대해 찾아봤었을때 읽었었던 책입니다. 당연한 말을 하는 것 같지만, 옳은 말들이기 때문에 당연한 말을 하는 교과서격의 책이라 생각합니다. 범우사꺼 얇은 책이라면 1판 번역일 것이고, 2판 번역과 원서 (How To Read a Book)도 도서관에 있습니다. --석천''
  • html5/others-api . . . . 1 match
          * http://cafe.naver.com/tonkjsp.cafe?iframe_url=/ArticleRead.nhn%3Farticleid=1727
  • html5/richtext-edit . . . . 1 match
         http://cafe.naver.com/webappdev.cafe?iframe_url=/ArticleRead.nhn%3Farticleid=91
  • html5/web-workers . . . . 1 match
         http://cafe.naver.com/webappdev.cafe?iframe_url=/ArticleRead.nhn%3Farticleid=141&social=1
  • neocoin/Log . . . . 1 match
          * 5월이 끝나는 시점에서 Read의 수를 세어 보니 대략 55권 정도 되는듯 하다. 200까지 145권이니, 여름방학 두달동안 60여권은 읽어 주어야 한다는 결론이 난다. 부담으로 다가오는 느낌이 있는걸 보니 아직 책에 익숙해지지 않은것 같다. 휴, 1,2학년때 너무 책을 보지 않은 것이 아쉬움으로 남는다. 남들이 4년에 읽을껄 2년에 읽어야 하니 고생이다.
  • woodpage/VisualC++HotKeyTip . . . . 1 match
          *다이얼로그 편집하는 부분에서 Ctrl + T를 누르면 미리보기가 된다. 왼쪽 밑에 Ready 위에 레바같은걸 당겨도 됨
  • 대학원준비 . . . . 1 match
          * [포항공대전산대학원ReadigList]
  • 레밍즈프로젝트/박진하 . . . . 1 match
          DWORD nOldSize = ar.ReadCount();
  • 박범용 . . . . 1 match
          === Further Reading 가입하기 ===
  • 새싹교실/2012/주먹밥 . . . . 1 match
          * Thread에 간한 간단한 설명
          Git을 공부해서 Repository를 만들고 Readme파일을 올려서 다음주에 보여주기.
  • 여섯색깔모자 . . . . 1 match
         = Thread =
         평소에 의견을 교환 하다가 보면 어느새 자신의 자존심을 지키려는 논쟁 으로 변하게 되는 경우가 많다. 이 논쟁이란게 시간은 시간대로 잡아 먹고, 각자에게 한가지 생각에만 편향되게 하고(자신이 주장하는 의견), 그 편향된 생각을 뒷받침 하고자 하는 생각들만 하게 만드는 아주 좋지 못한 결과에 이르게 되는 경우가 많다. 시간은 시간대로 엄청 잡아 먹고... 이에 대해서 여섯 색깔 모자의 방법은 굉장히 괜찮을거 같다. 나중에 함 써먹어 봐야 겠다. 인상 깊은 부분은 회의를 통해서 지도를 만들어 나간후 나중에 선택한다는 내용이다. 보통 회의가 흐르기 쉬운 방향은 각자 주장을 하고 그에 뒷받침 되는것을 말하는 식인데, 이것보다 회의를 통해서 같이 머리를 맞대서 지도를 만든후 나중에 그 지도를 보고 같이 올바른 길로 가는 이책의 방식이 여러사람의 지혜를 모을수 있는 더 좋은 방법이라고 생각한다. 이 책도 PowerReading 처럼 잘 활용 해보느냐 해보지 않느냐에 따라서 엄청난 가치를 자신에게 줄 수 도 있고, 아무런 가치도 주지 않을 수 있다고 생각한다. - [상협]
  • 영호의바이러스공부페이지 . . . . 1 match
          mov ax,3D02h ;open file for read/write access
          mov ah,3Fh ;read from file
          mov cx,3 ;read three bytes
          mov dx,di ;buffer to save read
          mov cx,2 ;read two bytes
          mov ah,3Fh ;read from file
          mov al,2 ; Set up to open handle for read/write
          mov bx,ax ; Transfer the handle to BX for read
          mov cx,20 ; Read in the top 20 bytes of file
          mov ah,3fh ; DOS read-from-handle service
  • 위키설명회2005 . . . . 1 match
         <p href = "http://cafe.naver.com/gosok.cafe?iframe_url=/ArticleRead.nhn%3Farticleid=135">ZDnet기사</p>
         = Thread =
  • 임인택/내손을거친책들 . . . . 1 match
          * ReadingWithoutNonsense
  • 재미있게공부하기 . . . . 1 match
         ''재미있는 것부터 하기''와 비슷하게 특정 부분을 고르고 그 놈을 집중 공략해서 공부하는 방법이다. 이 때 가능하면 여러개의 자료를 총 동원한다. 예를 들어 논리의 진리표를 공부한다면, 논리학 개론서 수십권을 옆에 쌓아놓고 인덱스를 보고 진리표 부분만 찾아읽는다. 설명의 차이를 비교, 관찰하라(부수적으로 좋은 책을 빨리 알아채는 공력이 쌓인다). 대가는 어떤 식으로 설명하는지, 우리나라 번역서는 얼마나 개판인지 등을 살피다 보면 어느새 자신감이 붙고(최소한 진리표에 대해서 만큼은 빠싹해진다) 재미가 생긴다. see also HowToReadIt의 ''같은 주제 읽기''
  • 전철에서책읽기 . . . . 1 match
         작년 1월에 지하철을 타며 책읽기를 했는데 한 번쯤 이런 것도 좋을 듯. 나름대로 재미있는 경험. :) Moa:ChangeSituationReading0116 --재동
  • 정모/2002.12.30 . . . . 1 match
          || 책 || PowerReading ||
  • 졸업논문 . . . . 1 match
          == Read ==
  • 컴퓨터공부지도 . . . . 1 match
         ==== Multi Thread Programming ====
         See Also HowToStudyXp, HowToReadIt, HowToStudyDataStructureAndAlgorithms, HowToStudyDesignPatterns, HowToStudyRefactoring
  • 튜터링/2011/어셈블리언어 . . . . 1 match
          call ReadDec ; 숫자 하나 받아옴
  • 프로그래밍파티 . . . . 1 match
          * Readability : 코드 가독성
  • 프로그램내에서의주석 . . . . 1 match
         자네의 경우는 주석이 자네의 생각과정이고, 그 다음은 코드를 읽는 사람의 관점인 건데, 프로그램을 이해하기 위해서 그 사람은 어떤 과정을 거칠까? 경험이 있는 사람이야 무엇을 해야 할 지 아니까 abstract 한 클래스 이름이나 메소드들 이름만 봐도 잘 이해를 하지만, 나는 다른 사람들이 실제 코드 구현부분도 읽기를 바랬거든. (소켓에서 Read 부분 관련 블럭킹 방지를 위한 스레드의 이용방법을 모르고, Swing tree 이용법 모르는 사람에겐 더더욱. 해당 부분에 대해선 Pair 중 설명을 하긴 했으니)
Found 128 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.4218 sec