E D R , A S I H C RSS

Full text search for "Memo"

Memo


Search BackLinks only
Display context of search results
Case-sensitive searching
  • EffectiveC++ . . . . 16 matches
         == Memory management ==
          * ''Initialization of the pointer in each of the constructors. If no memory is to be allocated to the pointer in a particular constructor, the pointer should be initialized to 0 (i.e., the null pointer). - 생성자 각각에서 포인터 초기화''
          * ''Deletion of the existing memory and assignment of new memory in the assignment operator. - 포인터 멤버에 다시 메모리를 할당할 경우 기존의 메모리 해제와 새로운 메모리의 할당''
         세번째 '''소멸자에서 포인터 삭제'''에 관한 것을 제대로 안해주면 메모리 유출(memory leak)으로 그냥 처리되기 때문에 클래스에 포인터 멤버를 추가할 때마다 반드시 명심해야 한다.
         === Item 7: Be prepared for out-of-memory conditions. ===
         set_new_handler를 이용한 memory 할당 실패처리.[[BR]]
         void noMoreMemory ()
          cerr << "Unable to satisfy request for memory\n";
          set_new_handler (noMoreMemory);
          int *pVigdataArray = new int [100000000]; // 100000000개의 정수공간을 할당할 수 없다면 noMoreMemory가 호출.
          void *memory;
          memory = ::operator new(size); // allocation
          return memory;
         void noMoreMemory(); // decl. of function to
          // call if memory allocation
         X::set_new_handler(noMoreMemory);
          // set noMoreMemory as X's
         X *px1 = new X; // if memory allocation
          // fails, call noMoreMemory
         string *ps = new string; // if memory allocation
  • Class로 계산기 짜기 . . . . 9 matches
         class Memory
          void pushButton(Memory * memory)
          inputFirstNumber(memory);
          inputSecondNumber(memory);
          inputSign(memory);
          void inputFirstNumber(Memory * memory)
          memory->setFirstNumber(firstNumber);
          void inputSecondNumber(Memory * memory)
          memory->setSecondNumber(secondNumber);
          void inputSign(Memory * memory)
          memory->setSign(sign);
          void compute(Memory * memory)
          switch(memory->getSign())
          memory->setResultNumber(memory->getFirstNumber() + memory->getSecondNumber());
          memory->setResultNumber(memory->getFirstNumber() - memory->getSecondNumber());
          memory->setResultNumber(memory->getFirstNumber() * memory->getSecondNumber());
          memory->setResultNumber(memory->getFirstNumber() / memory->getSecondNumber());
          void output(Memory * memory) { cout << memory->getResultNumber() << endl;}
          Memory * memory;
          Calculator() { memory = new Memory; }
  • 새싹교실/2011/學高/1회차 . . . . 9 matches
          * Memory에 데이터가 저장된 공간은 어떻게 지시할까? 뭐 특별한 이름이 따로 있을까?
          * CPU, Memory의 역할과 구성
          * Memory address, binary bits
          * Main Memory
          * Secodary Memory
          * Memory에 데이터가 저장된 공간은 어떻게 지시할까? 뭐 특별한 이름이 따로 있을까?
          * memory cell
          메모리 > CPU, Cache, Main memory (ex RAM..), Secondary memory..
          * Memory에 데이터가 저장된 공간은 어떻게 지시할까? 뭐 특별한 이름이 따로 있을까?
          * memory cell
         * Memory에 데이터가 저장된 공간은 어떻게 지시할까? 뭐 특별한 이름이 따로 있을까?
          Memory cell
  • MoreEffectiveC++/Operator . . . . 8 matches
          string *ps = new string("Memory Management");
          void *rawMemory = operator new(sizeof(string));
          string *ps = new string("Memory Management");
          void *memory = operator new(sizeof(string));
          call string::string("Memory Management") on *memory;
          string *ps = static_cast<string*>(memory);
         그렇지만 여러분이 raw memory로 객체를 할당한다면 초기화 루틴이 필요하다. [[BR]]
         해당 함수(construcWidgetInBuffer())는 버퍼에 만들어진 Widget 객체의 포인터를 반환하여 준다. 이렇게 호출할 경우 객체를 임의 위치에 할당할수 있는 능력 때문에 shared memory나 memory-mapped I/O 구현에 용이하다 constructorWidget에 보이는건 바로
          * Deletion and Memory Deallocation
          void operator delete(void * memoryToBeDeallocated);
          void freeShared(void *memory);
          void *shareMemory = mallocShared(sizeof(Widget));
          Widget *pw = constructWidgetInBuffer(shareMemory, 10); // placement new이닷!
          delete pw; // 이렇게 해서는 안된다. sharedMemory는 mallocShared에서 할당되는데 어찌 할수 있으리요.
  • MoreEffectiveC++/Basic . . . . 5 matches
         부모 객체의 파괴자만 부르므로 역시 memory leak 현상을 일으킨다.
         두가지를 구체적으로 이야기 해보면, '''첫번째'''로 ''for'' 문시에서 할당되는 객체의 숫자를 기억하고 있어야 한다. 잃어버리면 차후 resouce leak이 발생 할것이다. '''두번째'''로는 pointer를 위한 공간 할당으로 실제 필요한 memory 용량보다 더 쓴다. [[BR]]
          void *rawMemory = operator new[](10*sizeof(EquipmentPiece));
          EquipmentPiece *bestPieces = static_cast<EquipmentPiece*>(rawMemory);
          delete [] rawMemory;
         역시나 이것도 '''delete'''에 관한 모호성을 제공한다. 문제시 되는 점은 rawMemory상에 배치된 EquipmentPiece의 '''destructor''' 호출 유무이다. 예상대로 '''destructor'''를 강제 호출해 줘야 한다. 그래서 위가 아니라, 이런식의 삭제가 된다.
          operator delete[](rawMemory);
  • OurMajorLangIsCAndCPlusPlus/stdlib.h . . . . 5 matches
          == 함수 (Functions) - Memory Functions ==
          printf( "Insufficient memory available\n" );
          printf( "Memory space allocated for path name\n" );
          printf( "Memory freed\n" );
         Memory space allocated for path name
         Memory freed
  • 스터디/Nand 2 Tetris . . . . 5 matches
          D - data, A - address, M - memory
          e.g. A - 32일경우, M은 M[32]임. M을 사용할 때, A의 값은 memory의 address
         //Memory[10] = A
         //Memory[11] = B
         //Memory[12] = Dest
          Memory (data + instruction) + CPU(ALU + Registers + Control) + Input device & Output device
          The instruction memory and the data memory are physically separate
          * Instruction memory(ROM)
          * Memory(RAM)
          Data memory
          Screen(memory map)
          Keyboard(memory map)
  • DoubleBuffering . . . . 4 matches
         ["1002"] : 더블 버퍼링을 하는 이유는, Main Memory <-> Main Memory 간의 메모리복사(Blt하는 것) 이 Main Memory -> Video Memory 간의 메모리 복사보다 빠르기 때문에 하죠. [[BR]]
  • EightQueenProblem/da_answer . . . . 4 matches
          Memo1: TMemo;
          Memo1: TMemo;
  • Gof/Facade . . . . 4 matches
          * MemoryObject 는 데이터 저장소를 나타낸다.
          * MemoryObjectCache는 물리적 메모리에서의 MemoryObject의 데이터를 캐쉬한다.
          MemoryObjectCache는 실제로는 캐쉬 정책을 지역화시키는 Strategy Pattern이다.
  • DirectDraw . . . . 3 matches
         ZeroMemory(&ddsd, sizeof(ddsd));
         ZeroMemory(&ddscaps, sizeof(ddscaps)); // 메모리 초가화
         ZeroMemory(&ddsd, sizeof(ddsd));
  • LinkedList/학생관리프로그램 . . . . 3 matches
         void FreeMemory(Student* aHead);//메모리 해제
          FreeMemory(listPointer[HEAD]);//메모리 해제
         void FreeMemory(Student* aHead){
  • OurMajorLangIsCAndCPlusPlus/XML/조현태 . . . . 3 matches
         void FreeMyMemorys(SReadBlock* suchBlock)
          FreeMyMemorys(suchBlock->nextBlocks[i]);
          FreeMyMemorys(rootBlock);
  • zennith/MemoryHierarchy . . . . 3 matches
         == Memory Hierarchy ==
         === Main Memory (Virtual Memory System) ===
  • 데블스캠프2012/첫째날/배웠는데도모르는C . . . . 3 matches
         struct Memo{
         void Printdate(struct Date *s_no.number,struct Memo *s_no1.content)
          struct Memo list[10];
  • Chapter II - Real-Time Systems Concepts . . . . 2 matches
         태스크에 의해 쓰여지는 빈 공간을 말한다. 이러한 리소스는 I/O , Printer , Memory , KeyBoard 가 될 수 있으며 다른 기타 자원도 있다.
         === Memory Requirements ===
  • DebuggingSeminar_2005/DebugCRT . . . . 2 matches
         || _CRTDBG_CHECK_ALWAYS_DF || _CrtCheckMemory() 함수를 모든 new, delete 함수에 대해서 자동 호출 되도록 지정한다.[[BR]] 이 함수는 할당된 공간의 유효성을 지속적으로 체크한다. 즉 domainerror나 기타 메모리 access에 관한 부분을 검사한다. 대신 오버헤드가 상당하다. 그러나 그만큼 디버깅의 효율성을 높여줄 수 있다. ||
         || _CRTDBG_LEAK_CHECK_DF || 프로그램이 종료되는 시점에서 _CrtDumpMemoryLeaks()를 호출. 메모리 해제에 실패한 경우 그 정보를 얻을 수 있다. ||
          //Allocate some more memory.
          _tcscpy( pNew, _T("New'd memory...") );
          _tcscpy( pNew2, _T("more New'd memory...") );
          _tcscpy( pMemLeak, _T("Malloc'd memory...") );
         || _CRT_WARN || 경고 메시지 예)memory leak ||
  • DiceRoller . . . . 2 matches
          ReadProcessMemory(hProcess, (LPCVOID)0x400000, buffer, 100, &ReadBytes);
          // WriteProcessMemory를 이용하면 쓰기...
  • Eclipse/PluginUrls . . . . 2 matches
         === Memory Monitor ===
          * Memory 사용정보를 보여주고 ["GarbageCollection"]을 사용가능하게 해 주는 Plugin, 시간을 설정해두면 주기적으로 알아서 GC를 해줌.
  • EffectiveSTL/Container . . . . 2 matches
         == Contiguous-memory Containers & Node-based Containers ==
          * Insert, Delete 할때 원소의 인덱스 위치가 변하면 안된다? 그러면 Contiguous-memory Containers는 쓰면 안된다. (해당 원소의 인덱스 위치가 변한다.)
          * Standard Contiguois-memory Container들은 임의접근 연산자 []을 지원하지만, 다른건 지원하지 않는다.
          * 컨테이너가 파괴될때 포인터는 지워주겠지만, 포인터가 가리키는 객체는 destroy되지 않는다.(Detected Memory Leaks!)
          * 하지만 ... 부분에서 예외가 터져서 프로그램이 끝나버린다면? 또다시 Detected Memory Leaks!
          * Contiguous-memory container 일때
         c.erase( remove_if(c.begin(), c.end(), badValue), c.end() ); // Contiguous-memory Container일때(vector, deque, string)
  • FromDuskTillDawn/조현태 . . . . 2 matches
         void freeMemory()
          freeMemory();
  • MajorMap . . . . 2 matches
         Keywords are InstructionSetArchitecture, Register, Memory, Address(,and...)
         Memory is the storage area in which programs are kept when they are runngin and that contains the data needed by the running programs. Address is a value used to delineate the location of a specific data element within a memory array.
  • MoreEffectiveC++/Techniques1of3 . . . . 2 matches
          void *p = getMemory(size); // 메모리를 할당하는 어떤 함수를 호출한다.
          // 그리고 이것은 out-of-memory 예외를 잡을수 있다.
          releaseMemory(ptr); // 메모리를 free한다.
  • PHP-방명록만들기 . . . . 2 matches
          $mt = "create table IF NOT EXISTS Memo (";
          $result = mysql_query("select * from Memo",$connect);
  • TowerOfCubes/조현태 . . . . 2 matches
         void FreeMemory(vector<SMyBox*>& myBoxs)
          FreeMemory(myBoxs);
  • ZPBoard/MemoBoard . . . . 2 matches
          * [http://165.194.17.15/~bestjn83/Memo/memo.php 첫번째 버전 by 재니]
          * [http://165.194.17.15/~bestjn83/Memo/memo2.php 두번째 버전 by 재니]
          * [http://165.194.17.15/~wiz/php/memo.php 미완성 메모장 by 창섭]
  • .bashrc . . . . 1 match
          echo -e "\n${RED}Memory stats :$NC " ; free
  • 1002/Journal . . . . 1 match
          * Memory Management
  • 1002/책상정리 . . . . 1 match
         OS 에서의 Memory Hierarchy, caching 기법, NoSmok:어포던스 (행위유발성), NoSmok:그림듣기
         이는 위의 경우와 반대가 된다. 위에서의 책상에 비해 '휘발성'을 띤다. 이 경우 책상 판 자체는 main memory 역할을 하게 되므로, 가급적 책상을 비우기 위한 전략을 짜되, 해당 자료에 대한 접근성이 좋아야 한다.
          * 책상 위를 main memory, 책꽂이1을 제 1 cache, 책꽂이2를 제 2 cache, 책장을 제 3 cache, 바깥 책장을 hdd-drive 라 생각하고 정리한다.
  • 3N+1Problem/강소현 . . . . 1 match
         ||Memory||252K||Time||16MS||
  • 3n+1Problem/김태진 . . . . 1 match
         ||Memory||164K||Time||0MS||
  • AKnight'sJourney . . . . 1 match
         ||Time Limit||1000MS||Memory Limit||65536K||
  • AKnight'sJourney/강소현 . . . . 1 match
         ||Memory||3852K||Time||360MS||
  • AnEasyProblem/강성현 . . . . 1 match
         ||Memory||736K||Time||16MS||
  • AnEasyProblem/강소현 . . . . 1 match
         ||Memory||3656K||Time||375MS||
  • AnEasyProblem/김태진 . . . . 1 match
         ||Memory||388K||Time||125MS||
  • AncientCipher/강소현 . . . . 1 match
         ||Memory||2988K||Time||3829MS||
  • C++/SmartPointer . . . . 1 match
         // circular member setting will not free memory
         // Memory will not be freed forever.
  • CommonPermutation . . . . 1 match
         Time Limit : 4seconds , Memory Limit: 32MB
  • CompleteTreeLabeling . . . . 1 match
         ||Memory Limit||32 MB||
  • DataStructure/List . . . . 1 match
          * 단점 : 잘못된 포인터에 의한 Memory Leak 이 발생할 수 있다.
  • Euclid'sGame/강소현 . . . . 1 match
         ||Memory||3516K||Time||297MS||
  • IdeaPool/PrivateIdea . . . . 1 match
         = Memo =
  • InsideCPU . . . . 1 match
         실모드는 컴퓨터를 키면 항상 실모드가 된다. 이는 하위 CPU에 대한 호환 정책으로 만들어진 것이며 열라 빠르게 움직이는 (펜티엄클럭) 8086이라고 보면 적당할 것이다. 또한 실모드에서는 메모리 어드레싱 방법이 8086과 동일한 20bit의 어드레스 비트를 가지고 있으며 즉 1MB 의 접근만을 허용한다. 또한 640KB의 base로 접근하고 384KB는 extends로 접근해야 하며 위의 메모리에는 ROM-BIOS와 Video Memory가 있다. 1MB를 접근하기 위해서는 16bit의 세그먼트와 16bit의 오프셋으로 구성된 물리적 접근이 있다.
  • Java/DynamicProxy . . . . 1 match
          * Generic caching decorator(See DecoratorPattern) - [http://www.onjava.com/pub/a/onjava/2003/08/20/memoization.html Memoization in Java Using Dynamic Proxy Classes], and [http://roller.anthonyeden.com/page/SKI_BUM/20030810#dynamicproxy_net#dynamicproxy_net .NET equivalent]
  • JollyJumpers/강소현 . . . . 1 match
         ||Memory||5224K||Time||360MS||
  • JollyJumpers/김태진 . . . . 1 match
         ||Memory||184K||Time||110MS||
  • Leonardong . . . . 1 match
         위키는 주로 [프로젝트]를 진행할 때 씁니다. 과거 기록은 [PersonalHistory]에 남아있습니다. 그 밖에는 [인상깊은영화]라든지 [BookShelf] 를 채워나갑니다. 가끔 [Memo]를 적기도 하는데, 이제는 [(zeropage)IdeaPool]에 적는 편이 낫겠네요.
  • LinuxSystemClass/Exam_2004_1 . . . . 1 match
          Linux 에서의 Memory 관리시 binary buddy algorithm 을 이용한다. 어떻게 동작하는지 쓰시오.
  • Lotto/강소현 . . . . 1 match
         ||Memory||5060K||Time||266MS||
  • Lotto/송지원 . . . . 1 match
          || Run ID || User || Problem || Result || Memory || Time || Language || Code Length || Submit Time ||
  • MemoryUsageInJava . . . . 1 match
          return Runtime().getRuntime().freeMemory();
  • Ones/송지원 . . . . 1 match
          || Run ID || User || Problem || Result || Memory || Time || Language || Code Length ||
  • OperatingSystemClass/Exam2002_1 . . . . 1 match
         5. 프로세스들끼리의 통신 방법으로 Message Passing 방법과 Shared Memory 방법이 있다. 각각의 방식을 간단히 설명하고, 서로의 장단점을 기술하시오.
  • OptimizeCompile . . . . 1 match
         see also ["zennith/MemoryHierarchy"]
  • RabbitHunt/김태진 . . . . 1 match
         ||Memory||?K||Time||?MS||
  • ToastOS . . . . 1 match
         * Memory Alloc Architecture
  • WorldCup/송지원 . . . . 1 match
          || Run ID || User || Problem || Result || Memory || Time || Language || Code Length || Submit Time ||
  • WorldCupNoise/권순의 . . . . 1 match
         ||Memory||260K||Time||16MS||
  • ZPBoard . . . . 1 match
          * ["ZPBoard/MemoBoard"] - 메모장 제작
  • ZeroPageServer/SystemSpec . . . . 1 match
          * Memory: 192712k/196608k
  • ZeroPageServer/set2001 . . . . 1 match
          * Memory: 192712k/196608k
  • ZeroPageServer/set2002_815 . . . . 1 match
         === Memo ===
  • ZeroPageServer/set2005_88 . . . . 1 match
         === Memo ===
  • whiteblue . . . . 1 match
          * ["whiteblue/LinkedListAddressMemo"]
  • 고슴도치의 사진 마을 . . . . 1 match
         === Memo & Plan ===
  • 고슴도치의 사진 마을처음화면 . . . . 1 match
         === Memo & Plan ===
  • 기억 . . . . 1 match
          a. 단기 기억(Short-Term Memory)
  • 김준호 . . . . 1 match
          # 3월 16일에는 앞으로 새싹교실이 어떻게 진행될것인지와 컴퓨터의 기본장치들을 배웠습니다 예를들어 CPU, Main Memory 등등 입니다.
  • 새싹교실/2011/學高/8회차 . . . . 1 match
          * Memory 상에서의 array
  • 새싹교실/2011/무전취식/레벨2 . . . . 1 match
          * Memory에 적재되서 실행되는 프로그램 그 프로그램 안의 변수.
  • 새싹교실/2011/무전취식/레벨3 . . . . 1 match
          * Memory에 적재되서 실행되는 프로그램 그 프로그램 안의 변수.
  • 영호의해킹공부페이지 . . . . 1 match
         A buffer is a block of computer memory that holds many instances of the same
         dynamically at run time, and its growth will either be down the memory
         in memory the string is stored to DX:DS. Remember each register has a high
         Choose menu 3 (ME Memory Functions).
  • 임시 . . . . 1 match
         Biographies & Memoirs: 2
  • 준수처음화면 . . . . 1 match
         == Memo ==
  • 지도분류 . . . . 1 match
         ["zennith/MemoryHierarchy"]
  • 프로그래밍잔치/첫째날후기 . . . . 1 match
          1. 충격 이었다.. 라고 하면 너무 일반적인 수식어 일까. 사실 앉아서, 해당 언어들에 대하여 집중 할 수 있는 시간이 주어 지지 않았다는 것이 너무나 아쉬웠다. To Do 로 해야 할일이 추가 되었다. 아니 Memory List로 표현해야 할까?
Found 77 matching pages out of 7555 total pages (5000 pages are searched)

You can also click here to search title.

Valid XHTML 1.0! Valid CSS! powered by MoniWiki
last modified 2021-02-07 05:23:46
Processing time 0.0292 sec