- .bashrc . . . . 20 matches
alias make='xtitle Making $(basename $PWD) ; make'
complete -f -o default -X '!*.texi*' makeinfo texi2dvi texi2html texi2pdf
_make_targets ()
local mdef makef gcmd cur prev i
# `makefile Makefile *.mk', whatever exists
# make reads `makefile' before `Makefile'
if [ -f makefile ]; then
mdef=makefile
elif [ -f Makefile ]; then
mdef=Makefile
# before we scan for targets, see if a makefile name was specified
eval makef=${COMP_WORDS[i+1]} # eval for tilde expansion
[ -z "$makef" ] && makef=$mdef
# test -f $makef and input redirection
COMPREPLY=( $(cat $makef 2>/dev/null | awk 'BEGIN {FS=":"} /^[^.# ][^=]*:/ {print $1}' | tr -s ' ' '\012' | sort -u | eval $gcmd ) )
complete -F _make_targets -X '+($*|*.[cho])' make gmake pmake
- whiteblue/간단한계산기 . . . . 17 matches
makebutton("+", gridbag, c);
makebutton("-", gridbag, c);
makebutton("*", gridbag, c);
makebutton("/", gridbag, c);
makebutton("1", gridbag, c);
makebutton("2", gridbag, c);
makebutton("3", gridbag, c);
makebutton("<-", gridbag, c);
makebutton("4", gridbag, c);
makebutton("5", gridbag, c);
makebutton("6", gridbag, c);
makebutton("C", gridbag, c);
makebutton("7", gridbag, c);
makebutton("8", gridbag, c);
makebutton("9", gridbag, c);
makebutton("=", gridbag, c);
private void makebutton(
- DPSCChapter3 . . . . 16 matches
클래스이다. 그것은 추상적인 상품 생성 함수들(makeCar,makeEngine,makeBody)을 정의한다. 그 때 우리는 상품 집합 당
CarPartFactory>>makeCar
CarPartFactory>>makeEngine
CarPartFactory>>makeBody
FordFactory>>makeCar
FordFactory>>makeEngine
FordFactory>>makeBody
ToyotaFactory>>makeCar
ToyotaFactory>>makeEngine
ToyotaFactory>>makeBody
car := factory makeCar
addEngine: factory makeEngine;
addBody: factory makeBody;
만약, 팩토리가 FordFactory의 인스턴스였다면, 자동차에 추가되기 위해 얻어진 엔진은 FordEngine일 것이다. 만약 팩토리가 ToyotaFactory였다면, ToyotaEngine은 팩토리의 makeEngine에 의해서 만들어 질 것이고, 그 때 자동차에 추가될 것이다.
- MoreEffectiveC++/Techniques1of3 . . . . 16 matches
static FSA * makeFSA(); // 생성자
static FSA * makeFSA(const FSA& rhs); // 복사 생성자
FSA * FSA::makeFSA()
FSA * FSA::makeFSA(const FSA& rhs)
이렇게 생성자가 사역(private)인자로 들어가 버리면, 해당 클래스에서 유도되는 클래스를 만들기란 불가능 하다. 하지만 이 코드의 문제점은 makeFSA를 이용해 생성하면 항상 delete를 해주어야 한다는 점이다. 이전 예외를 다루는 부분에서도 언급했지만, 이는 자원이 세나갈 여지를 남기는 것이다. 이를 위한 STL의 auto_ptr도 참고하자.(Item 9 참고)
auto_ptr<FSA> pfsa1(FSA::makeFSA());
auto_ptr<FSA> pfsa2(FSA::makeFSA(*pfsa1));
static Printer * makePrinter(); // 가짜 생성자(pseudo-constructors)
Printer * Printer::makePrinter()
Printer *p2 = Printer::makePrinter(); // 올바르다. 이것이 기본 생성자이다.
static Printer * makePrinter(); // // 가짜 생성자(pseudo-constructors)
static Printer * makePrinter(const Printer& rhs);
Printer * Printer::makePrinter()
Printer * Printer::makePrinter(const Printer& rhs)
static Printer * makePrinter(); // 가짜 생성자(pseudo-constructors)
static Printer * makePrinter(const Printer& rhs);
- 몸짱프로젝트/BinarySearchTree . . . . 16 matches
def makeChildren(self, aRoot):
self.makeChildren( node )
def testMakeChildren(self):
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
## bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
def makeChildren(self, aRoot):
self.makeChildren( node )
def testMakeChildren(self):
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
bst.makeChildren(bst.root)
- PNGFileFormat/FormatUnitTestInPythonLanguage . . . . 14 matches
scanline = self.png.makeScanline(base, i, zlibdata, rgbmap )
self.makeInfo(chunk)
def makeInfo(self, chunk): #width, height 등의 정보 얻기
def makeScanline(self, basepixel, ypos, stream, rgbmap): # method 는 PNG filter type, stream은 zlib 으로 decomposite된 값들
return self.makeScanlineBySub(basepixel, ypos, stream)
return self.makeScanlineByUp(basepixel, ypos, stream, rgbmap)
return self.makeScanlineByAverage(basepixel, ypos, stream, rgbmap)
return self.makeScanlineByPaeth(basepixel, ypos, stream, rgbmap)
def makeScanlineBySub(self, basepixel, ypos, stream):
def makeScanlineByUp(self, basepixel, ypos, stream, rgbmap):
def makeScanlineByAverage(self, basepixel, ypos, stream, rgbmap):
def makeScanlineByPaeth(self, basepixel, ypos, stream, rgbmap):
self.makeCRCTable()
def makeCRCTable(self):
- 만년달력/김정현 . . . . 14 matches
CalendarMaker에게 폼을 주고 만들라고 지시한다
public class CalendarMaker {
CalendarMaker maker= new CalendarMaker();
maker.setForm(timeInfo.getDayNames(), "\t");
maker.setMonth(year, month, startDay);
System.out.println(maker.getNames(4));
System.out.println(maker.getResult(1, timeInfo.getDaysInYearMonth(year, month)));
CalendarMaker maker= new CalendarMaker();
maker= new CalendarMaker();
public void testInitialMaker() {
CalendarMaker maker= new CalendarMaker();
maker.setForm(timeInfo.getDayNames(), " ");
assertEquals("", maker.getResult(1,4));
maker.setForm(timeInfo.getDayNames(), " ");
maker.setMonth(1,1,"Monday");
String result= maker.getResult(1,4);
assertEquals(" 1 2 3 4 5 6 \n7 8 9 10 11 12 13 \n", maker.getResult(1,13));
- Bridge/권영기 . . . . 13 matches
ans2.push(make_pair(man[0], man[p]));
ans2.push(make_pair(man[0], -1));
ans2.push(make_pair(man[0], man[p-1]));
ans2.push(make_pair(man[0], -1));
ans2.push(make_pair(man[0], man[1]));
ans2.push(make_pair(man[0], -1));
ans2.push(make_pair(man[p-1], man[p]));
ans2.push(make_pair(man[1], -1));
ans2.push(make_pair(man[0], man[p]));
ans2.push(make_pair(man[0], -1));
ans2.push(make_pair(man[0], man[1]));
ans2.push(make_pair(man[0], man[1]));
ans2.push(make_pair(man[0], -1));
- CubicSpline/1002/NaCurves.py . . . . 12 matches
self.controlPointListY = self._makeControlPointListY()
def _makeControlPointListY(self):
self.controlPointListY = self._makeControlPointListY()
self.doublePrimeListY = self._makeDoublePrimeY()
def _makeControlPointListY(self):
def _makeMatrixA(self):
matrixA = self._makeEmptyMatrix()
def _makeMatrixB(self):
def _makeDoublePrimeY(self):
a = self._makeMatrixA()
b = self._makeMatrixB()
def _makeEmptyMatrix(self):
- AcceleratedC++/Chapter14 . . . . 11 matches
void make_unique() {
cp.make_unique();
data.make_unique();
// call `make_unique' as necessary
data.make_unique();
template<class T> void Ptr<T>::make_unique() {
template<class T> void Ptr<T>::make_unique() {
|| * Ptr<T>::make_unique()를 사용하지 않는다면 T::clone은 불필요 [[HTML(<BR/>)]] * Ptr<T>::make_unique를 사용한다면 T::clone가 있다면 T::clone을 사용할 것이다. [[HTML(<BR/>)]] * Ptr<T>::make_unique를 사용한다면 T::clone가 미정의되었다면 clone<T>를 정의해서 원하는 바를 얻을 수 있다. ||
이럴경우 operator[] const를 통해서 리턴되는 값은 make_unique를 통해서 복사된 것을 리턴함으로서 원본 객체의 데이터의 변형을 방지하는 것이 가능하다.
- EightQueenProblem/김형용 . . . . 11 matches
def makeRightDigTuple(aPosition):
def makeLeftDigTuple(aPosition):
for tempx,tempy in makeRightDigTuple(self.getPosition()):
for tempx,tempy in makeLeftDigTuple(self.getPosition()):
def makeQueensDontFight():
def testMakeRightDigTuple1(self):
self.assertEquals(expected, makeRightDigTuple(input))
def testMakeRightDigTuple2(self):
self.assertEquals(expected, makeRightDigTuple(input))
def testMakeRightDigTuple3(self):
self.assertEquals(expected, makeRightDigTuple(input))
def testMakeLeftDigTuple1(self):
self.assertEquals(expected, makeLeftDigTuple(input))
def testMakeLeftDigTuple2(self):
self.assertEquals(expected, makeLeftDigTuple(input))
qDict = makeQueensDontFight()
- Garbage collector for C and C++ . . . . 11 matches
* 유닉스나 리눅스에서는 "./configure --prefix=<dir>; make; make check; make install" 으로 인스톨 할수 있다.
* C++ 인터 페이스를 추가 하기 위해서는 "make c++" 을 하여야 한다.
* GNU-win32 에서는 기본으로 있는 Makefile 을 사용하면된다.
/! 시스템에 따라 Makefile 내용 중 CC=cc 를 CC=gcc 로 수정하여야 한다.
* C++ 인터 페이스를 추가 하기 위해서는 "make c++" 을 하여야 한다.
* MS 개발 툴을 사용한다면 NT_MAKEFILE 을 MAKEFILE 로 이름을 바꾸어 사용한다.
* win32 쓰레드를 지원하려면 NT_THREADS_MAKEFILE 을 사용한다. (gc.mak 도 같은 파일 이다.)
* 예) nmake /F ".gc.mak" CFG="gctest - Win32 Release"
* 볼랜드 개발 툴을 사용한다면 BCC_MAKEFILE 을 사용한다.
* Makefile 수정 내용.
* make c++
# -DJAVA_FINALIZATION makes it somewhat safer to finalize objects out of
# kind of object. For the incremental collector it makes sense to match
# -DDBG_HDRS_ALL Make sure that all objects have debug headers. Increases
# code (especially KEEP_BACK_PTRS). Makes -DSHORT_DBG_HDRS possible.
# -DMAKE_BACK_GRAPH. Enable GC_PRINT_BACK_HEIGHT environment variable.
# makes incremental collection easier. Was enabled by default until 6.0.
# -DHANDLE_FORK attempts to make GC_malloc() work in a child process fork()ed
- NeoCoin/Server . . . . 11 matches
bin86, binutils, libc6-dev, gcc, make, kernel-package, bzip2
버전을 정해 주는 옵션이다. config_target은 make-kpkg configure할 때
CONCURRENCY_LEVEL는 make의 -j 옵션에 대한 숫자인데 빠른 CPU에서 숫자가
6. 커널 소스 디렉토리로 이동한 다음 "make-kpkg clean"을 실행하여
make-kpkg clean
"make-kpkg configure"를 실행한다. kernel-pkg.conf에서 정한 대로
"make-kpkg configure" 재실행하면 된다.
make-kpkg kernel_image 2> build-errors
make-kpkg kernel_doc
make-kpkg kernel_source
make-kpkg kernel_headers
- Ant . . . . 10 matches
Platform 독립적인 Java 의 프로그램 컴파일, 배포 도구 이다. 비슷한 역할로 Unix의 make 툴과 Windows에서 프로그램 Installer 를 생각할수 있다.
Ant 는 [Java] 기반의 Build 툴로써 [Unix] 의 [make] 와 같은 툴이라고 보면 된다.
make.gnumake,nmake,jam 과 같은 다른 Build 툴은 놔두고 왜 Ant 를 써야하는가에 대한 질문이다. Java 기반으로 프로그램을 짜고 컴파일 및 배포용 쉘 프로그램을 짜봤는가? 해봤다면 그것의 어려움을 잘 알것이다. 각 [OS] 마다 쉘 스크립트가 다르고 일반적으로 사용하고 있는 Unix 에는 또 각종 쉘들이 존재한다. 윈도우 쉘 또한 복잡하긴 매한가지이고 프로그램을 모두 작성하고 컴파일 및 배포 쉘 스크립트를 작성하기 위해서 이것들을 모두 작성하는것 자체가 프로그래머에게 또 하나의 고난이 아닐까 생각한다.(즉, 쉘 프로그램을 배워야 한다는 의미이다.)
이제 Ant 를 실행하는 방법에 대해서 알아보자. Ant를 실행하는 것은 마치 make 명령을 내리는 것처럼 쉽다. Ant 에서 중요한 것은 make에서 "Makefile" 을 만들듯이 Build 파일을 잘 만드는 것이 중요합니다. Build 파일을 만드는 것에 대해서는 나중에 알아보기로 하고 일단 실행하는 방법부터 알아보죠.
이것은 바로 위에 있는 것에다가 dist라는 것이 붙었는데 이것은 target 을 나타냅니다. Unix/Linux 에서 make 명령으로 컴파일 해보신 분들을 아실껍니다. 보통 make 명령으로 컴파일 하고 make install 명령으로 인스톨을 하죠? 거기서 쓰인 install 이 target 입니다. Ant 에서는 Build 파일 안에 다양한 target 을 둘 수 있습니다. 예를 들면 debug 모드 컴파일과 optimal 모드 컴파일 2개의 target 을 만들어서 테스트 할 수 있겠죠? ^^
기존의 Makefile 이라던지 다른 Build 툴을 보면 의존관계(Dependency)라는 것이 있을 것이다. 즉, 배포(distribute)라는 target 을 수행하기 전에 compile 이라는 target 을 먼저 수행해야 하는 의존 관계가 발생할 수 있을 것이다. ''target'' 에서는 이런 의존관계(dependency)를 다음과 같은 방법으로 제공한다.
- FortuneCookies . . . . 9 matches
* Many pages make a thick book.
* The person you rejected yesterday could make you happy, if you say yes.
* Economy makes men independent.
* Executive ability is prominent in your make-up.
* Standing on head makes smile of frown, but rest of face also upside down.
* Make a wish, it might come true.
* The time is right to make new friends.
* You have an ambitious nature and may make a name for yourself.
* You like to form new friendships and make new acquaintances.
* If you make a mistake you right it immediately to the best of your ability.
* Emacs Makes All Computing Simple
- SpiralArray/임인택 . . . . 9 matches
def makeRotList(row, col):
def makeSpirialArray(rows, cols):
rotList = makeRotList(rows, cols)
self.assertEquals(expected, makeRotList(6,4))
self.assertEquals(expected, makeRotList(4,6))
self.assertEquals(expected, makeRotList(3,3))
self.assertEquals(expected, makeRotList(4,4))
print makeSpirialArray(3,3)
print makeSpirialArray(6,4)
- EightQueenProblem/lasy0901 . . . . 8 matches
void make(int);
void make(int pos)
if (check(pos)) make(pos+1);}}
make(0);
void make(int);
void make(int pos)
make(pos+1);
make(0);
- HelpOnCvsInstallation . . . . 8 matches
* /!\ 이 단계에서는 `make` 혹은 `gmake`가 필요합니다. 리눅스 서버 호스팅의 경우 간혹 `make` 혹은 `gmake`를 쓸 수 없는 경우가 있습니다.
sh update-makefile.sh
make
sh update-makefile.sh
make
- JTD 야구게임 짜던 코드. . . . . 8 matches
public static int makeFirstNumber(void)
public static int makeSecondNumber(void)
public static int makeThirdNumber(void)
number = makeNumber();
a = makeFirstNumber();
b = makeSecondNumber();
c = makeThirdNumber();
number = makeNumber();
- QueryMethod . . . . 8 matches
void makeOn() {
void makeOff() {
void makeOn() {
light->makeOn();
light->makeOff();
void makeOn() {
light->makeOn();
light->makeOff();
- RandomWalk/영동 . . . . 8 matches
void makeFootprint(Bug & a_bug, int a_board[][MAX_X]);
makeFootprint(bug, board);
makeFootprint(bug, board);
void makeFootprint(Bug & a_bug, int a_board[][MAX_X])
void makeFootprint(int a_x, int a_y);
void Board::makeFootprint(int a_x, int a_y)
board.makeFootprint(bug.returnX(), bug.returnY());
board.makeFootprint(bug.returnX(), bug.returnY());
- RandomWalk2/ExtremePair . . . . 8 matches
self.man.makeBoard(4, 3)
def testMakeBoard(self):
def testMakeRoach(self):
self.man.makeRoach(0,0,[1])
self.man.makeRoach(0,0,[2,4])
self.man.makeRoach(0,0,[6,0])
def makeBoard(self, row, col):
def makeRoach(self, startRow, startCol, journey):
man.makeBoard(row, col)
man.makeRoach(startRow, startCol, journeyList)
- 05학번만의C++Study/숙제제출4/조현태 . . . . 7 matches
TestClass* makedClass[MAX_CLASS];
if (intinput==makedClass[i]->GetNumber())
makedClass[classNumber]=new TestClass(intinput);
delete makedClass[suchNumber];
makedClass[i-1]=makedClass[i];
delete makedClass[i];
- ACE/HelloWorld . . . . 7 matches
GNU make를 사용하는 경우 다음과 같이 Makefile 을 만들어주어야 한다. 간단한 예) test.cpp 를 test로 빌드
BIN = test # 소스파일과 같아야한다. 이 Makefile은 test.cpp 를 찾아 빌드하려고 할 것이다.
include $(ACE_ROOT)/include/makeinclude/wrapper_macros.GNU
include $(ACE_ROOT)/include/makeinclude/macros.GNU
include $(ACE_ROOT)/include/makeinclude/rules.common.GNU
include $(ACE_ROOT)/include/makeinclude/rules.nonested.GNU
include $(ACE_ROOT)/include/makeinclude/rules.bin.GNU
include $(ACE_ROOT)/include/makeinclude/rules.local.GNU
- MatrixAndQuaternionsFaq . . . . 7 matches
languages is to make use of the "typedef" keyword. Both 3x3 and 4x4
that C compilers will often make use of multiplication operations to
exist. It is simply used to make the orders of the matrix M and the
An efficient way is to make use of the existing 'C' functions defined
The only solution to this problem is to make use of Quaternions.
A shearing matrix is used to make a 3D model appear to slant sideways.
An alternative to rendering numeric data is to make use of graphical
- BusSimulation/조현태 . . . . 6 matches
void station::make_people(int numbers_station)
make_people(numbers_station);
void make_people(int);
void station::make_people(int numbers_station)
make_people(numbers_station);
void make_people(int);
- MoinMoinFaq . . . . 6 matches
the attributions on a page to make it look like a different person made a
up in a text-edit pane in your browser, and you simply make the changes.
The wiki will automatically make a hypertext link from the text you
You can make the link "prettier" by putting "cover" wording for the
on. Also, it helps to ''italicize'' your comment to make it stand off
However, in some cases it may be appropriate to just make your change
becomes a bit more difficult!) Make sure that you only add the body
- MoniWikiPo . . . . 6 matches
msgid "Error: Don't make a clone!"
msgid "Please Login or make your ID on this Wiki ;)"
msgid "Please login or make your ID."
"If you want to custumize your quicklinks, just make your ID and register "
"If you want to subscribe this page, just make your ID and register your "
msgid "Make new ID on this wiki"
msgid "Please try again or make a new profile"
msgid "Make profile"
- STLPort . . . . 6 matches
1. 도스 프롬프트에서 nmake install을 입력합니다.
{{{~cpp E:\STLport-4.5.3\src\nmake -f vc6.mak install
Upload:7-makeInstall.GIF
== nmake에 문제가 있을 경우 ==
만약에 nmake가 실행되는 데 문제가 있거나 라이브러리 설치가 제대로 되어 있지 않다면, 비주얼 스튜디오에 관련된 환경 변수가 시스템에 제대로 등록되지 않은 이유가 대부분입니다. 그러므로, VCVARS32.BAT를 실행한 후에 다시 nmake install을 해 보세요.
- Steps/조현태 . . . . 6 matches
vector<int> makedNumbers;
makedNumbers.push_back(1);
makedNumbers.push_back(i + 1);
makedNumbers.push_back(i);
return GetNumbersSize(makedNumbers);
return makedNumbers.size();
- TriDiagonal/1002 . . . . 6 matches
self.l = self.makeEmptySquareMatrix(self.n)
self.u = self.makeEmptySquareMatrix(self.n)
def makeEmptySquareMatrix(self, n):
matrixY = makeEmptyMatrix(len(b),1)
matrixX = makeEmptyMatrix(limitedMatrix,1)
def makeEmptyMatrix(aRow, aCol):
- 데블스캠프2011/둘째날/Machine-Learning/SVM/namsangboy . . . . 6 matches
maketestdir = lambda i : "/home/newmoni/workspace/svm/package/test/"+i+"/"+i+".txt"
makedir = lambda i : "/home/newmoni/workspace/svm/package/train/"+i+"/index."+i+".db"
doclist = open(makedir(eachclass)).read().split("\n")
doclist = open(maketestdir(eachclass)).read().split("\n")
makedir = lambda i : "/home/newmoni/workspace/svm/package/train/"+i+"/index."+i+".db"
doclist = open(maketestdir(eachclass)).read().split("\n")
- Code/RPGMaker . . . . 5 matches
Util.LOGD("make framebuffer");
// make plane
// make framebuffer
package cau.rpg.maker.object;
package cau.rpg.maker.object;
- ConstructorMethod . . . . 5 matches
static Point* makeFromXnY(int x, int y)
Point* pt = Point::makeFromXnY(0,0);
static Point* makeFromXnY(int x, int y) { /* ... */ }
static Point* makeFromRnTheta(int r, int theta)
return makeFromXnY(r*cos(theta),r*sin(theta));
- JavaScript/2011년스터디/URLHunter . . . . 5 matches
map.makeS();
this.makeS = function(){
map.makeS();
makea();
function makea()
- LoveCalculator/zyint . . . . 5 matches
int make1digit(int a);
digit1 = (float)make1digit(getValue(*(i+1)));
digit2 = (float)make1digit(getValue(*(i+0)));
int make1digit(int a)
return make1digit(sum);
- MoreEffectiveC++/Appendix . . . . 5 matches
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
Carroll and Ellis discuss many practical aspects of library design and implementation that are simply ignored by everybody else. Good libraries are small, fast, extensible, easily upgraded, graceful during template instantiation, powerful, and robust. It is not possible to optimize for each of these attributes, so one must make trade-offs that improve some aspects of a library at the expense of others. Designing and Coding Reusable C++ examines these trade-offs and offers down-to-earth advice on how to go about making them. ¤ MEC++ Rec Reading, P30
template<class U> // make all auto_ptr classes
This won't make auto_ptr any less functional, but it will render it slightly less safe. For details, see Item 5. ¤ MEC++ auto_ptr, P7
If your compilers lack support for member templates, you can use the non-template auto_ptr copy constructor and assignment operator described in Item 28. This will make your auto_ptrs less convenient to use, but there is, alas, no way to approximate the behavior of member templates. If member templates (or other language features, for that matter) are important to you, let your compiler vendors know. The more customers ask for new language features, the sooner vendors will implement them. ¤ MEC++ auto_ptr, P8
- NSIS . . . . 5 matches
* http://www.nullsoft.com/free/nsis/makensitemplate.phtml - .nsi code generator
* makensis 로 Script 를 컴파일한다. 그러면 makensis 는 스크립트를 분석하면서 포함해야 할 화일들을 하나로 묶어준다. 그리고 zip의 형식으로 압축해준다. (내부적으로 zip2exe 가 이용된다. 이건 zlib 사용됨.)
=== MakeNSIS usage ===
NSIS installer들은 'MakeNSIS' 프로그램에 의해서 NSI script (.NSI) 를 컴파일함으로서 만들어진다.
makensis 의 실행 문법은 대강 다음과 같다.
Makensis [/Vx] [/Olog] [/LICENSE] [/PAUSE] [/NOCONFIG] [/CMDHELP [command]] [/HDRINFO] [/CD] [/Ddefine[=value] ...]
* /PAUSE - Makensis 가 종료되기 전 중간에 일시정지해준다. 이는 Windows 에서 직접 실행할 때 유용하다.
또는 Editplus 의 사용자도구그룹에 makensis 을 등록시켜서 사용하는 방법도 있겠다. (nsis 를 위한 간단한 ide 만들어서 써먹어보는중.. 이였지만. 엉엉.. 그래도 editplus 가 훨 편하긴 하다. --;)
- WikiTextFormattingTestPage . . . . 5 matches
This page originated on Wiki:WardsWiki, and the most up-to-date copy resides there. This page has been copied here in order to make a quick visual determination of which TextFormattingRules work for this wiki. Currently it primarily determines how text formatted using the original Wiki:WardsWiki text formatting rules is displayed. See http://www.c2.com/cgi/wiki?WikiOriginalTextFormattingRules.
This page contains sample marked up text to make a quick visual determination as to which Wiki:TextFormattingRules work for a given wiki. To use the page, copy the text from the edit window, and paste it in the wiki under test. Then read it.
The original Wiki:WardsWiki text formatting rules make no provision for headings. They can be simulated by applying emphasis. See the next several lines.
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.
_ An underscore at the beginning of a line makes a horizontal line in Swiki
- 토이/삼각형만들기/김남훈 . . . . 5 matches
첫번째와 두번째는 너무 쉽다. 버퍼만 만들면 거기에 별표만 채우면 되니까. 오히려 makeBuffer 함수가 신경써야 할 부분. C 에서는 문자열의 끝을 신경써줘야 하니까.
char * makeBuffer(int num) {
buffer = makeBuffer(num);
buffer = makeBuffer(num);
buffer = makeBuffer( calcBidirTriangleSize(num) );
- CubicSpline/1002/test_NaCurves.py . . . . 4 matches
actual = self.s._makeEmptyMatrix()
actual = self.s._makeMatrixA()
actual = self.s._makeMatrixB()
actual = self.s._makeDoublePrimeY()
- DPSCChapter1 . . . . 4 matches
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).
Design patterns also provide a succinct vocabulary with which to describe new designs and retrospectively explain existing ones. Patterns let us understand a design at a high level before drilling down to focus on details. They allow us to envision entire configurations of objects and classes at a large grain size and communicate these ideas to other designers by name. We can say, "Implement the database access object as a Singleton," rather than, "Let's make sure the database access class has just one instance. The class should include a class variable to keep track of the singl instance. The class should make the instance globally available but control access to it. The class should control when the instance is created and ..." Which would you prefer?
The Gang of Four's ''Design Patterns'' presents design issues and solutions from a C+ perspective. It illustrates patterns for the most part with C++ code and considers issues germane to a C++ implementation. Those issue are important for C++ developres, but they also make the patterns more difficult to understand and apply for developers using other languages.
- MoreEffectiveC++/Techniques2of3 . . . . 4 matches
void makeCopy(); // 구현 코드를 보자.
void RCIPtr<T>::makeCopy() // copy-on-write 상황의 구현
{ makeCopy(); return counter->pointee; }
{ makeCopy(); return *(counter->pointee); }
- NumberBaseballGame/jeppy . . . . 4 matches
void make_number(char *p); /* 임의 세자리 숫자를 생성하는 함수 */
// make hidden_number;
make_number(hidden_num);
void make_number(char *p) {
printf("Make number..\n");
- OpenGL스터디_실습 코드 . . . . 4 matches
//make Mode sub menu
//make Edge boolean sub menu
//make main menu that add Mode menu and Edge Menu
//-> make inner event and manage dynamic data exception(bound exception + clipping exception).
- ReleasePlanning . . . . 4 matches
It is important for technical people to make the technical decisions and business people to make the business decisions. Release planning has a set of rules that allows everyone involved with the project to make their own decisions. The rules define a method to negotiate a schedule everyone can commit to.
of stories to be implemented as the first (or next) release. A useable, testable system that makes good business sense delivered early is desired.You may plan by time or by scope. The project velocity is used to determine either how many stories can be implemented before a given date (time) or how long a set of stories will take to finish (scope). When planning by time multiply the number of iterations by the project velocity to determine how many user stories can be completed. When planning by scope divide the total weeks of estimated user stories by the project velocity to determine how many iterations till the release is ready.
- 데블스캠프2011/둘째날/Machine-Learning/NaiveBayesClassifier/namsangboy . . . . 4 matches
maketestdir = lambda i : "/home/newmoni/workspace/svm/package/test/"+i+"/"+i+".txt"
makedir = lambda i : "/home/newmoni/workspace/svm/package/train/"+i+"/index."+i+".db"
doclist = open(makedir(eachclass)).read().split("\n")
doclist = open(maketestdir(eachclass)).read().split("\n")
- 영호의해킹공부페이지 . . . . 4 matches
make the program run the shellcode.
I would like to have interesting shellcode, I don't have the tools to make
characters on either side of our shellcode just to make it pretty and even
array which makes no sense. What I *meant* to say (but which got lost due to
Make sure to start PCLocals in plain DOS
- 정수민 . . . . 4 matches
void make_number(int k);
void make_number(int k){
make_number(k);
make_number(k);
- .vimrc . . . . 3 matches
"map <F2> :so $VIMRUNTIME/syntax/2html.vim<CR> " make HTML
map <C-F11> :make<CR> " 빌드
map <C-F12> :make again<CR> " 모두 새로 빌드
- ACM_ICPC/2012년스터디 . . . . 3 matches
* Shoemaker's Problem - [http://uva.onlinejudge.org/index.php?option=com_onlinejudge&Itemid=8&category=32&page=show_problem&problem=967]
* [Shoemaker's_Problem/곽병학] <- 왜 안되는지 모르겠음 스터디 할 때 찾아주길 부탁....
* [Shoemaker's_Problem/김태진] -> 마찬가지..
- AcceleratedC++/Chapter2 . . . . 3 matches
// setting r to 0 makes the invariant true
// writing a row of output makes the invariant false
// incrementing r makes the invariant true again
- CubicSpline/1002/LuDecomposition.py . . . . 3 matches
self.l = self.makeEmptySquareMatrix(self.n)
self.u = self.makeEmptySquareMatrix(self.n)
def makeEmptySquareMatrix(self, n):
- CubicSpline/1002/TriDiagonal.py . . . . 3 matches
matrixY = makeEmptyMatrix(len(b),1)
matrixX = makeEmptyMatrix(limitedMatrix,1)
def makeEmptyMatrix(aRow, aCol):
- DesignPatternsAsAPathToConceptualIntegrity . . . . 3 matches
During our discussions about the organization of design patterns there was a comment about the difficulty of identifying the “generative nature” of design patterns. This may be a good property to identify, for if we understood how design patterns are used in the design process, then their organization may not be far behind. Alexander makes a point that the generative nature of design patterns is one of the key benefits. In practice, on the software side, the generative nature seems to have fallen away and the more common approach for using design patterns is characterized as “when faced with problem xyz…the solution is…” One might say in software a more opportunistic application of design patterns is prevalent over a generative use of design patterns.
A comment from Carriere and Kazman at SEI is interesting: “What Makes a Good Object Oriented Design?”
This is what Brooks wrote 25 years ago. "… Conceptual integrity is the most important consideration in system design."[Brooks 86] He continues: “The dilemma is a cruel one. For efficiency and conceptual integrity, one prefers a few good minds doing design and construction. Yet for large systems one wants a way to bring considerable manpower to bear, so that the product can make a timely appearance. How can these two needs be reconciled?”
The dilemma is a cruel one. For efficiency and conceptual integrity, one prefers a few good minds doing design and construction. Yet for large systems one wants a way to bring considerable manpower to bear, so that the product can make a timely appearance. How can these two needs be reconciled?
- EightQueenProblem/Leonardong . . . . 3 matches
def makeChessBoard(self, aSize):
self.makeChessBoard(aSize)
q.makeChessBoard(size)
## def testMakeChessBoard(self):
- Emacs . . . . 3 matches
collection of emacs development tool의 약자로서, make파일을 만들거나 automake파일 구성에 도움을 주고, compile하기 쉽도록 도와주는 등, emacs환경을 더욱 풍성하게하는데 도움을 주는 확장 기능이다.
3. cedet압축을 푼곳에 접근하여 $make 명령어를 통해 빌드 시켜준다.
- ErdosNumbers/문보창 . . . . 3 matches
bool make_map(char name[][MAX_STR], int num);
bool isMake = make_map(name, num_person + 1); // 맵에 추가되었다면
return isMake;
bool make_map(char name[][MAX_STR], int num)
- Gnutella-MoreFree . . . . 3 matches
Item.FileIndex = makeD( flipX(TempX));
Item.Size = makeD( flipX(TempX));
Item.Speed = makeD( flipX(QueryHit->Speed));
Item.NameLower.MakeLower();
- Gof/FactoryMethod . . . . 3 matches
You can avoid this by being careful to access products solely through accessor operations that create the product on demand. Instead of creating the concrete product in the constructor, the constructor merely initializes it to 0. The accessor returns the product. But first it checks to make sure the product exists, and if it doesn't, the accessor creates it. This technique is sometimes called lazy initialization. The following code shows a typical implementation:
5. Naming conventions. It's good practice to use naming conventions that make it clear you're using factory methods. For example, the MacApp Macintosh application framework [App89] always declares the abstract operation that defines the factory method as Class* DoMakeClass(), where Class is the Product class.
virtual Maze* MakeMaze() const
virtual Room* MakeRoom(int n) const
virtual Wall* MakeWall() const
virtual Door* MakeDoor(Room* r1, Room* r2) const
Maze* aMaze = MakeMaze();
Room* r1 = MakeRoom(1);
Room* r2 = MakeRoom(2);
Door* theDoor = MakeDoor(r1, r2);
r1->SetSide(North, MakeWall());
r1->SetSide(South, MakeWall());
r1->SetSide(West, MakeWall());
r2->SetSide(North, MakeWall());
r2->SetSide(East, MakeWall());
r2->SetSide(South, MakeWall());
virtual Wall* MakeWall() const
virtual Room* MakeRoom(int n) const
virtual Room* MakeRoom(int n) const
virtual Door* MakeDoor(Room* r1, Room* r2) const
- LC-Display/문보창 . . . . 3 matches
void makeDisplay(Digit * d, const int line);
makeDisplay(digits, line);
void makeDisplay(Digit * d, const int line)
- LongestNap/문보창 . . . . 3 matches
int make_schedule(Promise * pro);
int nPromise = make_schedule(promise);
int make_schedule(Promise * pro)
- MoreEffectiveC++/Exception . . . . 3 matches
void makeCallBack(int eventXLocation, int eventYLocation) const throw();
void CallBack::makeCallBack(int eventXLocation, int eventYLocation)
이 코드에서 makeCallBack에서 func을 호출하는것은 func이 던지는 예외에 것을 알길이 없어서 예외 명세에 위반하는 위험한 상황으로 갈수 있다.
- PragmaticVersionControlWithCVS/Getting Started . . . . 3 matches
root@eunviho:~/tmpdir/aladdin# cvs commit -m "make number six to be important"
root@eunviho:~/tmpdir/sesame# cvs commit -m"make number zero to be emphasized"
root@eunviho:~/tmpdir/sesame# cvs commit -m"make number zero to be emphasized"
- ProjectEazy/Source . . . . 3 matches
suite.addTest(unittest.makeSuite(EazyParserTestCase, 'test'))
suite.addTest(unittest.makeSuite(EazyWordTestCase, 'test'))
suite.addTest(unittest.makeSuite(EazyDicTestCase, 'test'))
- ProjectVirush/ProcotolBetweenServerAndClient . . . . 3 matches
|| 제작실 || make 증식속도 잠복기 독성 감염율 DNA 이름 || make true || 바이러스 정보 || 이름 같으면 make false ||
- PyUnit . . . . 3 matches
unittest 모듈에는 makeSuite 라는 편리한 함수가 있다. 이 함수는 test case class 안의 모든 test case를 포함하는 test suite를 만들어준다. (와우!!)
suite = unittest.makeSuite (WidgetTestCase, 'test')
makeSuite 함수를 사용할때 testcase들은 cmp 함수를 사용하여 소트한 순서되로 실행된다.
- ReadySet 번역처음화면 . . . . 3 matches
'''*What makes this product different from others?'''
This is an open source project that you are welcome to use for free and help make better. Existing packages of software engineering templates are highly costly and biased by the authorship of only a few people, by vendor-client relationships, or by the set of tools offered by a particular vendor.
These templates are in pure XHTML with CSS, not a proprietary file format. That makes them easier to edit and to track changes using freely available tools and version control systems. The templates are designed to always be used on the web; they use hyperlinks to avoid duplicating information.
- ReverseAndAdd/문보창 . . . . 3 matches
int makePalim(unsigned int * pal, unsigned int originN, int count);
nAdd[i] = makePalim(palim, num, i);
int makePalim(unsigned int * pal, unsigned int originN, int count)
- SmithNumbers/신재동 . . . . 3 matches
void makePrimeNumbers();
void makePrimeNumbers()
makePrimeNumbers();
- SpiralArray/세연&재니 . . . . 3 matches
void makeXbox(int, int);
makeXbox(nRow, nCol);
void makeXbox(int nRow, int nCol)
- TellVsAsk . . . . 3 matches
Procedural code gets information then makes decisions. Object-oriented code tells objects to do things.
make a decision, and then tell them what to do.
responsibility, not yours. For you to make decisions outside the object violates its encapsulation.
- UbuntuLinux . . . . 3 matches
makeactive
To install your own script, copy it to /etc/init.d, and make it executable.
To make the script run at startup:
- VMWare/OSImplementationTest . . . . 3 matches
Makeboot.exe
- 부트섹터와 커널이미지를 merge하는 간단한 makeboot.c 컴파일해서 자신만의
다음은 부트로더와 커널 이미지를 합쳐서 하나의 부팅이미지로 만들어주는 makeboot.c
입니다. 따로 프로젝트를 만들어서 간단히 컴파일해서 makeboot.exe를 만들도록
- 니젤프림/BuilderPattern . . . . 3 matches
abstract public PlanComponent makePlan();
public PlanComponent makePlan() {
perfectVacationPlan = perfectPlanner.makePlan();
- 몸짱프로젝트/CrossReference . . . . 3 matches
void makeRootNode(Node * aRoot, string aWord);
makeRootNode(root, word);
void makeRootNode(Node * aRoot, string aWord)
- 서지혜/단어장 . . . . 3 matches
진단의 : Medical diagnosticians see a patient once or twice, make an assessment in an effort to solve a particularly difficult case, and then move on.
분비하다 : These bone cells secrete the material that makes up bone tissue.
1. He makes me feel cheap.
- 영호의바이러스공부페이지 . . . . 3 matches
Make a target file like this with Debug
Then uses Debug to make the file SAMPLE.COM executing this command --
This will make a two byte called SAMPLE.COM
Make a copy of the file and keep it for safe keeping.
below example you are on the way to make simple encrypted viruses.
- 윤종하/지뢰찾기 . . . . 3 matches
COORD* make_mine_map(CELL** map,COORD size,int iNumOfMine);
cPosOfMine=make_mine_map(map,size,iNumOfMine);
COORD* make_mine_map(CELL **map,COORD size,int iNumOfMine)
- 2학기파이선스터디/클라이언트 . . . . 2 matches
## csock.connect(('', 8000))#make socket, connect
csock.connect(('165.194.17.59', 13))#make socket, connect
- ATmega163 . . . . 2 matches
* Makefile 사용법
# Simple Makefile
include $(AVR)/include/make1
include $(AVR)/include/make2
- Android/WallpaperChanger . . . . 2 matches
Toast.makeText(getApplicationContext(), "배경화면 지정 성공", 1).show();
Toast.makeText(getApplicationContext(), "배경화면 지정 실패", 1).show();
- BuildingWikiParserUsingPlex . . . . 2 matches
def makeToStream(self, aText):
stream = self.makeToStream(aText)
- ConstructorParameterMethod . . . . 2 matches
static Point* makeFromXnY(int x, int y)
static Point* makeFromXnY(int x, int y)
- CppUnit . . . . 2 matches
runner.addTest ( CppUnit::TestFactoryRegistry::getRegistry().makeTest() );
runner.addTest(registry.makeTest());
Enable RTTI in Projects/Settings.../C++/C++ Language. Make sure to do so for all configurations.
- Doublets/황재선 . . . . 2 matches
public void makeDoubletMatrix() {
simulator.makeDoubletMatrix();
- DrawMacro . . . . 2 matches
{{{applets/TWikiDrawPlugin/}}}로 가서 {{{gmake}}} 혹은 {{{make}}} 명령을 하여 설치한다.
- EditStepLadders/황재선 . . . . 2 matches
public void makeAdjancencyMatrix() {
step.makeAdjancencyMatrix();
- HelpOnInstallation/MultipleUser . . . . 2 matches
각 사용자는 따로 설치할 필요 없이 관리자가 설치해놓은 모니위키를 단지 make install로 비교적 간단히 설치할 수 있습니다.
# make install DESTDIR=/usr/local
- LC-Display/곽세환 . . . . 2 matches
void makeDisplay(string n) // 수를 입력받음
makeDisplay(n);
- MoreEffectiveC++/Miscellany . . . . 2 matches
"변화한다.", 험난한 소프트웨어의 발전에 잘 견디는 클래스를 작성하라. (원문:Given that things will change, writeclasses that can withstand the rough-and-tumble world of software evolution.) "demand-paged"의 가상 함수를 피하라. 다른 이가 만들어 놓지 않으면, 너도 만들 방법이 없는 그런 경우를 피하라.(모호, 원문:Avoid "demand-paged" virtual functions, whereby you make no functions virtual unless somebody comes along and demands that you do it) 대신에 함수의 ''meaning''을 결정하고, 유도된 클래스에서 새롭게 정의할 것인지 판단하라. 그렇게 되면, 가상(virtual)으로 선언해라, 어떤 이라도 재정의 못할지라도 말이다. 그렇지 않다면, 비가상(nonvirtual)으로 선언해라, 그리고 차후에 그것을 바꾸어라 왜냐하면 그것은 다른사람을 편하게 하기 때문이다.;전체 클래스의 목적에서 변화를 유지하는지 확신을 해라.
auto_ptr<String> ps(String::makeString("Future tense C++"));
== Item 33: Make non-leaf classes abstract. ==
- NSISIde . . . . 2 matches
그냥 Editplus 에서 makensis 을 연결해서 써도 상관없지만, 만일 직접 만든다면 어떻게 해야 할까 하는 생각에.. 그냥 하루 날잡아서 날림 플밍 해봤다는. --; (이 프로젝트는 ["NSIS_Start"] 의 subproject로, ["NSIS_Start"] 가 끝나면 자동소멸시킵니다. ^^;)
|| CInnerProcess Class 의 이용. 약간 수정. makensis 이용. || 0.5 ||
- OurMajorLangIsCAndCPlusPlus/XML/김상섭허준수 . . . . 2 matches
tree_pointer tree_make(const char * file)
root = tree_make("input.txt");
- RandomWalk/황재선 . . . . 2 matches
int** makeRoom(int n, int m) {
int **room = makeRoom(n, m);
- SeparatingUserInterfaceCode . . . . 2 matches
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.
- SummationOfFourPrimes/곽세환 . . . . 2 matches
void makePrimeTable()
makePrimeTable();
- TFP예제/Omok . . . . 2 matches
suite = unittest.makeSuite (BoardTestCase, "test")
suite = unittest.makeSuite (OmokTestCase, "test")
- ViImproved . . . . 2 matches
* vimrc 을 직접 건들여 수정하기 힘든 사람들에게 꼭 추천하고 싶은 사이트 [[https://vim-bootstrap.com]] - 사용법은 직접 검색바람 - makerdark98
* [[https://www.youtube.com/watch?v=5r6yzFEXajQ | Vim + tmux - OMG!Code ]] - cheatsheet로만 vim을 배우는 사람들에게 권함 - makerdark98
- WinampPluginProgramming/DSP . . . . 2 matches
// configuration. Passed this_mod, as a "this" parameter. Allows you to make one configuration
// function that shares code for all your modules (you don't HAVE to use it though, you can make
ShowWindow((pitch_control_hwnd=CreateDialog(this_mod->hDllInstance,MAKEINTRESOURCE(IDD_DIALOG1),this_mod->hwndParent,pitchProc)),SW_SHOW);
- koi_cha/곽병학 . . . . 2 matches
vc.push_back(make_pair(0,0));
vc.push_back(make_pair(s,e));
- 데블스캠프2006/SSH . . . . 2 matches
* ls, cd, rm, make, gcc 명령어들.
* Makefile 작성 아래 파일명을 자신의 파일명으로 작성
* make 로 컴파일
- 레밍즈프로젝트/프로토타입/STLLIST . . . . 2 matches
|| AddHead || Adds an element (or all the elements in another list) to the head of the list (makes a new head). ||
|| AddTail || Adds an element (or all the elements in another list) to the tail of the list (makes a new tail). ||
- 렌덤워크/조재화 . . . . 2 matches
cout<<"input size of the board : "; //input m and n (for make M*N array)
srand(time(0)); //for make random number
- 알고리즘8주숙제/문보창 . . . . 2 matches
void makeTree()
makeTree();
- 이차함수그리기/조현태 . . . . 2 matches
void make_image(int where_x, int where_y, float min_x, float max_x, float tab_x, float tab_y)
make_image( 10 , 5 , MIN_X, MAX_X,TAB_X,TAB_Y);
- 인수/Smalltalk . . . . 2 matches
RWBoard Class>>make: aSize
b := RWBoard make:5.
- 임시 . . . . 2 matches
This section explains how to use REST (Representational State Transfer) to make requests through Amazon E-Commerce Service (ECS). REST is a Web services protocol that was created by Roy Fielding in his Ph.D. thesis (see Architectural Styles and the Design of Network-based Software Architectures for more details about REST).
REST allows you to make calls to ECS by passing parameter keys and values in a URL (Uniform Resource Locator). ECS returns its response in XML (Extensible Markup Language) format. You can experiment with ECS requests and responses using nothing more than a Web browser that is capable of displaying XML documents. Simply enter the REST URL into the browser's address bar, and the browser displays the raw XML response.
- 06 SVN . . . . 1 match
4. And make cpp file.
- 1002/Journal . . . . 1 match
public JMenu _makeToolMenu () {
- 2학기파이선스터디/모듈 . . . . 1 match
['_StringTypes', '__builtins__', '__doc__', '__file__', '__name__', '_float', '_idmap', '_idmapL', '_int', '_long', 'ascii_letters', 'ascii_lowercase', 'ascii_uppercase', 'atof', 'atof_error', 'atoi', 'atoi_error', 'atol', 'atol_error', 'capitalize', 'capwords', 'center', 'count', 'digits', 'expandtabs', 'find', 'hexdigits', 'index', 'index_error', 'join', 'joinfields', 'letters', 'ljust', 'lower', 'lowercase', 'lstrip', 'maketrans', 'octdigits', 'printable', 'punctuation', 'replace', 'rfind', 'rindex', 'rjust', 'rstrip', 'split', 'splitfields', 'strip', 'swapcase', 'translate', 'upper', 'uppercase', 'whitespace', 'zfill']
- 2학기파이선스터디/서버 . . . . 1 match
csock.connect(('', 8037))#make socket, connect
- AcceleratedC++/Chapter6 . . . . 1 match
// make sure the separator isn't at the beginning or end of the line
- Ant/BuildTemplateExample . . . . 1 match
<!-- build 단계 이후 clean 단계. make clean 과 비슷한 의미. -->
- AntTask . . . . 1 match
<!-- build 단계 이후 clean 단계. make clean 과 비슷한 의미. -->
- AseParserByJhs . . . . 1 match
int vertIndex[3]; // indicies for the verts that make up this triangle
- BabyStepsSafely . . . . 1 match
The test cases for the GeneratePrimes class are implemented using the JUnit testing framework. The tests are contained in class called TestGeneratePrames. There are a 5 tests for each return type (array and List), which appear to be similiar. Our first step to insure보증하다, 책임지다 that we are starting from a stable base is to make sure what we have works.
- BlueZ . . . . 1 match
The overall goal of this project is to make an implementation of the Bluetooth™ wireless standards specifications for Linux. The code is licensed under the GNU General Public License (GPL) and is now included in the Linux 2.4 and Linux 2.6 kernel series.
- DPSCChapter2 . . . . 1 match
Don : It's this claims-processing workflow system I've been asked to design. I just can't see how the objects will work together. I think I've found the basic objects in the system, but I don't understand how to make sense from their behaviors.
- DPSCChapter4 . . . . 1 match
'''Facade(179)''' Provide a unified interface to a set of interfaces in a subsystem. Facade defines a higher-level interface that makes the subsystem easier to use.
- DocumentObjectModel . . . . 1 match
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.
- EightQueenProblem/강석천 . . . . 1 match
suite = unittest.makeSuite (BoardTestCase, "test")
- EightQueenProblemSecondTryDiscussion . . . . 1 match
def MakeEightQueen (self, Level):
## make clone and append the
def MakeEightQueen (self, Level):
if not self.MakeEightQueen (Level + 1):
- EmbeddedSystemClass . . . . 1 match
aptitude install make
- EnglishSpeaking/2012년스터디 . . . . 1 match
* We decided to talk about technical subject freely, about 3 minutes in every month. It might be a little hard stuff at first time. But let's do it first and make it better gradually. Do not forget our slogan(?) - '''''Don't be nervous! Don't be shy! Mistakes are welcomed.'''''
- EnglishSpeaking/TheSimpsons/S01E02 . . . . 1 match
Homer : Hmm. How could anyone make a word out of these lousy letters?
- Gof/Adapter . . . . 1 match
A class adapter uses multiple inheritance to adapt interfaces. The key to class dapters is to use one inheritance branch to inherit the interface and another branch to inherit the implementation. The usual way to make this distinction in C++ is to inherit the interface publicly and inherit the implementation privately. We'll use this convention to define the TextShape adapter.
- Gof/State . . . . 1 match
* It makes state transitions explicit.
- GofStructureDiagramConsideredHarmful . . . . 1 match
What about all those important and subtle Implementation notes that are included with each GoF Pattern? Don't those notes make it clear that a Pattern can be implemented in many ways? Answer: No, because many folks never even read the Implementation notes. They much prefer the nice, neat Structure diagrams, because they usually only take up a third of a page, and you don't have to read and think a lot to understand them.
- HierarchicalDatabaseManagementSystem . . . . 1 match
Hierarchical relationships between different types of data can make it very easy to answer some questions, but very difficult to answer others. If a one-to-many relationship is violated (e.g., a patient can have more than one physician) then the hierarchy becomes a network.
- HowToStudyDesignPatterns . . . . 1 match
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.''
- InvestMulti - 09.22 . . . . 1 match
print 'You become bankrupt!! You must make new ID for continuing this game.'
- JTDStudy/첫번째과제/상욱 . . . . 1 match
// make a result number
- JavaScript/2011년스터디/김수경 . . . . 1 match
// And make this class extendable
- JavaStudy2004/클래스상속 . . . . 1 match
예를 들어 Motorcycle클래스와 같이 Car라는 클래스를 만드는 것을 생각하자. Car와 Motorcycle은비슷한 특징들이 있다. 이 둘은 엔진에 의해 움직인다. 또 변속기와 전조등과 속도계를 가지고 있다. 일반적으로 생각하면, Object라는클래스 아래에 Vehicle이라는 클래스를 만들고 엔진이 없는 것과 있는 방식으로 PersonPoweredVehicle과 EnginePoweredVehicle 클래스를 만들 수 있다. 이 EnginePoweredVehicle 클래스는 Motorcycle, Car, Truck등등의 여러 클래스를 가질 수 있다. 그렇다면 make와 color라는 속성은 Vehicle 클래스에 둘 수 있다.
- LawOfDemeter . . . . 1 match
The higher the degree of coupling between classes, the higher the odds that any change you make will break
- MoinMoinBugs . . . . 1 match
''Well, Netscape suxx. I send the cookies with the CGI'S path, w/o a hostname, which makes it unique enough. Apparently not for netscape. I'll look into adding the domain, too.''
- MoinMoinNotBugs . . . . 1 match
Please note also that to be "identical," the second P tag should ''follow'' the /UL, not precede it. The implication as-is is that the P belongs to the UL block, when it doesn't. It may be worth using closing paragraph tags, as an aide to future XHTML compatibility, and to make paragraph enclosures wholly explicit.
- MoinMoinTodo . . . . 1 match
* Now that we can identify certain authors (those who have set a user profile), we can avoid to create a backup copy if one author makes several changes; we have to remember who made the last save of a page, though.
* Make a sitemap using Wiki:GraphViz
* Make a ZopeMoinMoin product, to compete with ZWiki product.
- MySQL 설치메뉴얼 . . . . 1 match
The `ln' command makes a symbolic link to that directory. This
- NSIS/Reference . . . . 1 match
원문 : http://www.nullsoft.com/free/nsis/makensis.htm
- NSIS/예제1 . . . . 1 match
==== makensis 컴파일 과정 ====
MakeNSIS v1.95 - Copyright 1999-2001 Nullsoft, Inc.
- NSIS/예제2 . . . . 1 match
---------- makensis ----------
MakeNSIS v1.95 - Copyright 1999-2001 Nullsoft, Inc.
- NSIS/예제3 . . . . 1 match
---------- makensis ----------
MakeNSIS v1.95 - Copyright 1999-2001 Nullsoft, Inc.
- NotToolsButConcepts . . . . 1 match
Learn concepts, not tools. At least in the long run, this will make you
- Refactoring/MakingMethodCallsSimpler . . . . 1 match
''Make the method private''
''Change the caller to make the test first''
- Refactoring/SimplifyingConditionalExpressions . . . . 1 match
* A method has conditional behavior that does not make clear the normal path of execution [[BR]] ''Use guard clauses for all the special cases.''
* You have a conditional that chooses different behavior depending on the type of and object [[BR]] ''Move each leg of the conditional to an overriding method in a subclass. Make the orginal method abstract.''
* A section of code assumes something about the state of the program. [[BR]]''Make the assumption explicit with an assertion.''
- Shoemaker's_Problem/곽병학 . . . . 1 match
mm.insert(make_pair(p, i+1));
- SmalltalkBestPracticePatterns/DispatchedInterpretation . . . . 1 match
Every client that wanted to make decisions based on what commands where in a Shape would have to have the same case statement, violating the "once and only once" rule. We need a solution where the case statement is hidden inside of the encoded objects.
- TCP/IP . . . . 1 match
* http://kldp.org/KoreanDoc/html/GNU-Make/GNU-Make.html#toc1 <using make file>
- TFP예제/WikiPageGather . . . . 1 match
suite = unittest.makeSuite (WikiPageGatherTestCase, "test")
- TopicMap . . . . 1 match
''Nice idea. But i would just make it the normal behavior for external links. That way you don't clutter MoinMoin with too many different features. --MarkoSchulz''
- TwistingTheTriad . . . . 1 match
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.
- UML/CaseTool . . . . 1 match
Reverse engineering encloses the problematic, that diagram data is normally not contained with the program source, such that the UML tool, at least in the initial step, has to create some ''random layout'' of the graphical symbols of the UML notation or use some automatic ''layout algorithm'' to place the symbols in a way that the user can understand the diagram. For example, the symbols should be placed at such locations on the drawing pane that they don't overlap. Usually, the user of such a functionality of an UML tool has to manually edit those automatically generated diagrams to attain some meaningfulness. It also often doesn't make sense to draw diagrams of the whole program source, as that represents just too much detail to be of interest at the level of the UML diagrams. There are also language features of some [[programming language]]s, like ''class-'' or ''function templates'' of the programming language [[C plus plus|C++]], which are notoriously hard to convert automatically to UML diagrams in their full complexity.
- UsenetMacro . . . . 1 match
This works well with GoogleGroups Beta service. This helps make links to GoogleGroups with text remotely extracted from usenet topic.
- User Stories . . . . 1 match
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.
- WhatToExpectFromDesignPatterns . . . . 1 match
Describing a system in terms of the DesignPatterns that it uses will make it a lot easier to understand.
- WhyWikiWorks . . . . 1 match
* anyone can play. This sounds like a recipe for low signal - surely wiki gets hit by the unwashed masses as often as any other site. But to make any sort of impact on wiki you need to be able to generate content. So anyone can play, but only good players have any desire to keep playing.
- WikiSlide . . . . 1 match
* '''Interlinked''' - Links between pages are easy to make
- [Lovely]boy^_^/Arcanoid . . . . 1 match
* I don't want pointers in container, so I had to make a copy constructor, substitute operator.--;
- [Lovely]boy^_^/Diary/2-2-9 . . . . 1 match
* I make arcanoid perfectly(?) today. I will add functions that a shootable missile and multiple balls.
- [Lovely]boy^_^/EnglishGrammer/Passive . . . . 1 match
So it is possible to make two passive sentences.
- [Lovely]boy^_^/EnglishGrammer/PresentAndPast . . . . 1 match
C. We use do/does to make questions and negative sentences.( 의문문이나 부정문 만들떄 do/does를 쓴다 )
- geniumin . . . . 1 match
* make confusion..
- html5practice/계층형자료구조그리기 . . . . 1 match
console.log("make node start");
- lostship/MinGW . . . . 1 match
* make -f gcc-mingw32.mak clean install 를 실행한다. 그러면 /STLport-4.5.3/lib 에 생성된다.
- 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.)"
- 경시대회준비반/BigInteger . . . . 1 match
* in supporting documentation. Mahbub Murshed Suman makes no
// Makes `this' BigInteger value to absolute
- 김동준/Project/Data_Structure_Overview/Chapter1 . . . . 1 match
int** make2dArray(int rows, int cols) {
- 김희성/리눅스계정멀티채팅 . . . . 1 match
printf("client try to make ID\n");
- 데블스캠프2005/게임만들기 . . . . 1 match
Upload:game_make.ppt
- 데블스캠프2006/SVN . . . . 1 match
4. And make cpp file.
- 데블스캠프2011/넷째날/Android/송지원 . . . . 1 match
Toast.makeText(this, btn+" clicked", Toast.LENGTH_SHORT).show();
- 무엇을공부할것인가 . . . . 1 match
Learn concepts, not tools. At least in the long run, this will make you
- 새싹교실/2012/Dazed&Confused . . . . 1 match
* 포인터, 재귀함수, 피보나치 수열을 코딩해 보았다. 피보나치는 하다가 실패했지만 자주 코딩을 해 보면 슬슬 감이 올 것 같다. 재귀함수의 return에 대한 개념이 흐려서 아직 재귀함수를 잘 못 쓰겠다. 연습을 자주 해야겠다. Practice makes Perfect?.. 포인터에 대한 개념이 흐렸는데 어느 정도 자리를.. 개념을 잡은 것 같다. 머리 속에서 코딩이 안 되면 펜으로 수도 코드작성이나 수학적으로 해설을 먼저 작성하는 연습을 해 보아야겠다. 강의에서 좀 더 코딩 연습이나 연습 문제 풀기와 같은 것이 많았으면 좋겠다. 단순히 따라적기만 해서는 잘 이해가 안 되는 것 같다. - [박용진]
- 새싹교실/2012/startLine . . . . 1 match
Account makeAccount(char *name) {
- 정모/2012.3.19 . . . . 1 match
* This meeting was so interesting. I was so glad to meet Fabien. From now, I think we should make our wiki documents to be written in English. - [장용운]
- 졸업논문/요약본 . . . . 1 match
Web environment has became a standalone platform. Object-oriented languages, such as python, are suitable for web. Django is a web application framework written by python, and helps web developers writting web application more agile by abstracting database. Django provides high level abstraction on database, higher than CLI which uses ODBC. Django, for instance, creates database tables when developer writes classes in python, and modifies tables when developer modifies classes in python. In addition, django helps developers using database on host-language(python) level by abstracting insertion, deletion, update, retrieving of recodes to class method. Therefore, web developers make programs more agile.
Found 177 matching pages out of 7555 total pages (5000 pages are searched)
You can also click here to search title.