Sunday, November 18, 2012
Data Wharehouse Project Development memo
We need Request For Proposal document
Data Wharehouse Project Proposal
Business assumptions
Technical assumptions
Technology assumptions
http://www.google.co.jp/url?sa=t&rct=j&q=sample%20data%20warehouse%20project%20proposal&source=web&cd=1&cad=rja&ved=0CBwQFjAA&url=http%3A%2F%2Fcoitweb.uncc.edu%2F~wwu18%2Fitcs6163-sp09%2Fprojects%2Fproposals%2FData%2520Warehousing%2520Project%2520Proposal.ppt&ei=c-SoUNLiHePkmAXG8ID4Dw&usg=AFQjCNFFb_8zImNU0Uzv7ZXrW6IR9SsG1Q
http://www.ibm.com/developerworks/data/library/techarticle/dm-0506gong/
http://www.executionmih.com/data-warehouse/project-plan.php
https://docs.google.com/viewer?a=v&q=cache:NhRrKHvyogAJ:www.sccgov.org/sites/mhd/Mental%2520Health%2520Services%2520Act/Capital%2520Facilities%2520-%2520Technological%2520Needs%2520(CFTN)/Documents/SCVHHS-MHD-Enterprise-Data-Warehouse-Enclosure-3.pdf+data+warehouse+project+proposal&hl=en&gl=jp&pid=bl&srcid=ADGEESh17lO3g179-b9yzqMNi9lZSPfTtKr-Q3dk2tmGNMoLLWGtGiUCuO7Ff8kJWyjShVc1m1J5hDeOa7CV9mxz9eKDOTv8NG2N0_VzvaboRkM_Y1CwrBuq4HHYI5XpwLfLRUEGjOxP&sig=AHIEtbT7f9gRJ3ett6oADUmuNqXtJYXHHw
http://epublications.marquette.edu/cgi/viewcontent.cgi?article=1118&context=theses_open&sei-redir=1&referer=http%3A%2F%2Fwww.google.co.jp%2Furl%3Fsa%3Dt%26rct%3Dj%26q%3Dsample%2520data%2520warehouse%2520project%2520proposal%26source%3Dweb%26cd%3D4%26cad%3Drja%26ved%3D0CDAQFjAD%26url%3Dhttp%253A%252F%252Fepublications.marquette.edu%252Fcgi%252Fviewcontent.cgi%253Farticle%253D1118%2526context%253Dtheses_open%26ei%3Dc-SoUNLiHePkmAXG8ID4Dw%26usg%3DAFQjCNEU6Iyxy5mh0fKybhsaDg8Dw_0UKQ#search=%22sample%20data%20warehouse%20project%20proposal%22
Friday, November 16, 2012
Java Map Interface
Java Map Interface is an object that maps keys to values. A map cannot contain duplicate keys: Each key can map to at most one value. It models the mathematical function abstraction. 
The following program generates a frequency table of the words found in its argument list. The frequency table maps each word to the number of times it occurs in the argument list.
import java.util.*;
public class Freq {
    public static void main(String[] args) {
        Map m = new HashMap();
        // Initialize frequency table from command line
        for (String a : args) {
            Integer freq = m.get(a);
            m.put(a, (freq == null) ? 1 : freq + 1);
        }
        System.out.println(m.size() + " distinct words:");
  
Wednesday, November 14, 2012
Declaring a Variable to Refer to an Array
Like declarations for variables of other types, an array declaration has two components: the array's type and the array's name. An array's type is written as type[], where type is the data type of the contained elements; the square brackets are special symbols indicating that this variable holds an array. The size of the array is not part of its type (which is why the brackets are empty). An array's name can be anything you want, provided that it follows the rules and conventions as previously discussed in the naming section. As with variables of other types, the declaration does not actually create an array — it simply tells the compiler that this variable will hold an array of the specified type.
Similarly, you can declare arrays of other types:
Similarly, you can declare arrays of other types:
byte[] anArrayOfBytes; short[] anArrayOfShorts; long[] anArrayOfLongs; float[] anArrayOfFloats; double[] anArrayOfDoubles; boolean[] anArrayOfBooleans; char[] anArrayOfChars; String[] anArrayOfStrings;You can also place the square brackets after the array's name:
// this form is discouraged float anArrayOfFloats[];However, convention discourages this form; the brackets identify the array type and should appear with the type designation. Below is an example of converting a date string into Integer Array.
string date_str = "2012/11/06";
String str_arr[] = date_str.split("/");
int[] int_arr = new int[4];
int_arr[0] = Integer.valueOf(str_arr[0]);
System.out.println(int_arr[0]);
Monday, November 12, 2012
Arrays in Java
An array is a container object that holds a fixed number of values of a single type. The length of an array is established when the array is created. After creation, its length is fixed. Each item in an array is called an element, and each element is accessed by its numerical index. As shown in the above illustration, numbering begins with 0. The 9th element, for example, would therefore be accessed at index 8.
The following program, ArrayDemo, creates an array of integers, puts some values in it, and prints each value to standard output.
class ArrayDemo {
    public static void main(String[] args) {
        // declares an array of integers
        int[] anArray;
        // allocates memory for 10 integers
        anArray = new int[10];
           
        // initialize first element
        anArray[0] = 100;
        // initialize second element
        anArray[1] = 200;
        // etc.
        anArray[2] = 300;
        anArray[3] = 400;
        anArray[4] = 500;
        anArray[5] = 600;
        anArray[6] = 700;
        anArray[7] = 800;
        anArray[8] = 900;
        anArray[9] = 1000;
  System.out.println("Element at index 0: "
                           + anArray[0]);
        System.out.println("Element at index 1: "
                           + anArray[1]);
        System.out.println("Element at index 2: "
                           + anArray[2]);
        System.out.println("Element at index 3: "
                           + anArray[3]);
        System.out.println("Element at index 4: "
                           + anArray[4]);
        System.out.println("Element at index 5: "
                           + anArray[5]);
        System.out.println("Element at index 6: "
                           + anArray[6]);
        System.out.println("Element at index 7: "
                           + anArray[7]);
        System.out.println("Element at index 8: "
                           + anArray[8]);
        System.out.println("Element at index 9: "
                           + anArray[9]);
    }
} 
The output from this program is:
Element at index 0: 100 Element at index 1: 200 Element at index 2: 300 Element at index 3: 400 Element at index 4: 500 Element at index 5: 600 Element at index 6: 700 Element at index 7: 800 Element at index 8: 900 Element at index 9: 1000
Sample Cover letter
Name of Employer
Address of Employer
Email: employer email address
Thursday, October dd, yyyy
Subject: Post to apply
Dear Sir/Madam,
I am applying for the position for the above subject as recently advertised at [job announcement site].
As you will note from my resume attached, I am currently working as system and software engineering to develop the [ICT-D system] for [Company A].
Beside the experiences of system and software engineering, I also had experience in establishing and maintaining good working relations with people of different national and cultural background through the cooperated project with [International company B] to Research and Develop the Application Specific Integrated Circuit (ASIC) for [Company C].
From my experiences, I have worked on various projects related to Information and Communication Technology, system integration research and development for more than 9 years of professional working in network using a variety of operating systems (OS) and platforms.
My experience and expertise in ICT makes me confident that I have the necessary traits to manage and provide best IT technical support to user community, and that my ability to work in challenging assignments and places will stand me in good stead when handling the responsibilities associated with a position in the area of IT.
Thank you for your consideration.
Yours Sincerely
You Name
Sample posting:
http://partner.jica.go.jp/recruitdetail?id=a0T10000002uDLcEAM&mode=DETAIL
Address of Employer
Email: employer email address
Thursday, October dd, yyyy
Subject: Post to apply
Dear Sir/Madam,
I am applying for the position for the above subject as recently advertised at [job announcement site].
As you will note from my resume attached, I am currently working as system and software engineering to develop the [ICT-D system] for [Company A].
Beside the experiences of system and software engineering, I also had experience in establishing and maintaining good working relations with people of different national and cultural background through the cooperated project with [International company B] to Research and Develop the Application Specific Integrated Circuit (ASIC) for [Company C].
From my experiences, I have worked on various projects related to Information and Communication Technology, system integration research and development for more than 9 years of professional working in network using a variety of operating systems (OS) and platforms.
My experience and expertise in ICT makes me confident that I have the necessary traits to manage and provide best IT technical support to user community, and that my ability to work in challenging assignments and places will stand me in good stead when handling the responsibilities associated with a position in the area of IT.
Thank you for your consideration.
Yours Sincerely
You Name
Sample posting:
http://partner.jica.go.jp/recruitdetail?id=a0T10000002uDLcEAM&mode=DETAIL
Sunday, October 28, 2012
Setup the Java Servlet development environment tutorial
This tutorial provides step by step instructions to setup the Java development environment required to test various servlet examples given throughout all the tutorials. This tutorial will also be helpful when you start practicing servlets yourself.
List of required softwares:
- Java Software Development Kit (JAVA SDK)
- Tomcat
- Eclipse for Java
Note: this tutorial explains how to install required software on your windows based PC only.
First of all you need the Java software development kit (JAVA SDK) to be installed.
Checking if JAVA is already installed in your system
Follow this step to check if Java software development kit (JDK) is already installed in your system.To determine if JAVA SDK is already installed in your system, run the following command from command prompt.
> Java –version
If JAVA platform is already installed, it will display the version of the JAVA SDK. Below screen shows JAVA version 1.6 running on a windows system. If command executes successfully and shows JAVA version 1.6, you can skip the next step. Otherwise download and install the Java SDK as explained in next step.
Install JAVA SDK
First thing you need to install is Java software development kit (Java SDK) . Download the Java development kit 7 (JDK 7) from Sun Java SE Download site. Current latest version is JDK 7 update 7.Set up the JAVA_HOME environment variable
Once the JAVA SDK is installed follow this step to set the JAVA_HOME environment variable. If JAVA_HOME variable is already set, you can skip this step.Right click on My Computer icon on your desktop it will open a popup menu, click on properties, it will open the system properties window, then click on advanced tab.
Click on environment variables button, it will open the environment variables window as shown in figure below. Initially there will be no JAVA_HOME environment variable set as shown in figure.
Click on new button to add new system variable JAVA_HOME.
In the variable name filed, enter JAVA_HOME. Specify the path to root directory of JAVA installation in variable value field and click OK button. Now JAVA_HOME will appear under user variables.
Next you need to add bin directory under the root directory of JAVA installation in PATH environment variable.Select the PATH variable from System variables and click on Edit button.
Add: ;%JAVA_HOME%\bin; at the end of variable value field and click OK button.
Now verify that everything is correct by following the step: Checking if JAVA is already installed in your system. It should show the version of the installed JAVA SDK.
Sunday, September 23, 2012
Finding Memory Leaks and Invalid with Valgrind
Valgrind is a multipurpose code profiling and memory debugging tool for Linux on both the x86 and, as of version 3, AMD64, architectures. It allows you to run your program in Valgrind's own environment that monitors memory usage such as calls to malloc and free (or new and delete in C++). If you use uninitialized memory, write off the end of an array, or forget to free a pointer, Valgrind can detect it. Since these are particularly common problems, this tutorial will focus mainly on using Valgrind to find these types of simple memory problems.
For Windows users: if you don't have access to a Linux machine, or if you want to develop Windows-specific software, you might be interested in IBM's Purify, which has features similar to Valgrind for finding memory leaks and invalid memory accesses. A trial download is available.
Getting Valgrind
If you're running Linux and you don't have a copy already, you can get Valgrind from the Valgrind download page.Installation should be as simple as decompressing and untarring using bzip2 (XYZ is the version number in the below examples)
bzip2 -d valgrind-XYZ.tar.bz2 tar -xf valgrind-XYZ.tar
which will create a directory called valgrind-XYZ; change into that directory and run
./configure make make installNow that you have Valgrind installed, let's look at how to use it.
Finding Memory Leaks With Valgrind
Memory leaks are among the most difficult bugs to detect because they don't cause any outward problems until you've run out of memory and your call to malloc suddenly fails. In fact, when working with a language like C or C++ that doesn't have garbage collection, almost half your time might be spent handling correctly freeing memory. And even one mistake can be costly if your program runs for long enough and follows that branch of code.When you run your code, you'll need to specify the tool you want to use; simply running valgrind will give you the current list. We'll focus mainly on the memcheck tool for this tutorial as running valgrind with the memcheck tool will allow us to check correct memory usage. With no other arguments, Valgrind presents a summary of calls to free and malloc: (Note that 18490 is the process id on my system; it will differ between runs.)
% valgrind --tool=memcheck program_name ... =18515== malloc/free: in use at exit: 0 bytes in 0 blocks. ==18515== malloc/free: 1 allocs, 1 frees, 10 bytes allocated. ==18515== For a detailed leak analysis, rerun with: --leak-check=yes
If you have a memory leak, then the number of allocs and the number of frees will differ (you can't use one free to release the memory belonging to more than one alloc). We'll come back to the error summary later, but for now, notice that some errors might be suppressed -- this is because some errors will be from standard library routines rather than your own code.
Finding Invalid Pointer Use With Valgrind
Valgrind can also find the use of invalid heap memory using the memcheck tool. For instance, if you allocate an array with malloc or new and then try to access a location past the end of the array:char *x = malloc(10); x[10] = 'a';Valgrind will detect it. For instance, running the following program, example2, through Valgrind
#include <stdlib.h>
int main()
{
    char *x = malloc(10);
    x[10] = 'a';
    return 0;
}
withvalgrind --tool=memcheck --leak-check=yes example2results in the following warning
==9814== Invalid write of size 1 ==9814== at 0x804841E: main (example2.c:6) ==9814== Address 0x1BA3607A is 0 bytes after a block of size 10 alloc'd ==9814== at 0x1B900DD0: malloc (vg_replace_malloc.c:131) ==9814== by 0x804840F: main (example2.c:5)What this tell us is that we're using a pointer allocated room for 10 bytes, outside that range -- consequently, we have an 'Invalid write'. If we were to try to read from that memory, we'd be alerted to an 'Invalid read of size X', where X is the amount of memory we try to read. (For a char, it'll be one, and for an int, it would be either 2 or 4, depending on your system.) As usual, Valgrind prints the stack trace of function calls so that we know exactly where the error occurs.
Sunday, September 9, 2012
A Makefile practical example
It's not uncommon in a project to have a standard rule for compiling files (perhaps even using the built-in GNU Make rule) and to need to have a slightly different version of that rule for a specific file, or set of files, that otherwise use the same command.
For example, here's a Makefile that builds all the C files in two subdirectories (lib1 and lib2) using a pattern rule.
lib1_SRCS := $(wildcard lib1/*.c)
lib2_SRCS := $(wildcard lib2/*.c)
lib1_OBJS := $(lib1_SRCS:.c=.o)
lib2_OBJS := $(lib2_SRCS:.c=.o)
.PHONY: all
all: $(lib1_OBJS) $(lib2_OBJS)
%.o: %.c
@$(COMPILE.C) -o $@ $<
First the Makefile gets the list of all C files in lib1 in the variable lib1_SRCS and the C files in lib2 in lib2_SRCS and then it converts those to a list of object files to build using a substitution reference to change .c to .o creating lib1_OBJS and lib2_OBJS.
The pattern rule uses the GNU Make built-in variable COMPILE.C to run a compiler that compiles a .c into a .o. The Makefile knows to build all the objects in lib1_OBJS and lib2_OBJS because they are prerequisites of all.
This works fine if all the .c files have the same compilation options.
Now suppose that the C file lib1/special.c requires the -Wcomment option to prevent the compiler from warning about an oddly written comment. Obviously is would be possible to change the value of CPPFLAGS globally by adding
CPPFLAGS += -Wcomment
in the Makefile. But that change affects every compilation and is probably undesirable.
Luckily, a target-specific variable can be used to just alter the value of CPPFLAGS for that single file. By writing
lib1/special.o: CPPFLAGS += -Wcomment
the value of CPPFLAGS will be altered just for the creation of lib1/special.o.
Now suppose that an entire subdirectory requires a special CPPFLAGS option to maximize optimization for speed (the -fast option to gcc, for example).
Here a pattern-specific macro definition is ideal. Adding
lib1/%.o: CPPFLAGS += -fast
does the trick. Any .o files that are built in lib1/ will have the -fast command-line option.
Conclusion
Target-specific and pattern-specific macros are worth reading about because they are a very handy feature of GNU Make when a small change is needed for a limited set of targets.
Further reading can be found in the GNU Make manual sections 'Target-specific Variable Values' (http://www.gnu.org/software/make/manual/make.html#Target_002dspecific) and 'Pattern-specific Variable Values' (http://www.gnu.org/software/make/manual/make.html#Pattern_002dspecific).
Makefiles: pattern-specific example
Pattern-specific macros work in a similar manner to target-specific macros, but instead of being defined for a target they are defined for a pattern and then will be applied to all targets that match that pattern.
The below example shows a pattern-specific macro. The last line says that for any target that begins with f followed by anything (that's the % wildcard) VAR has the value starts with f.
.PHONY: all foo bar baz
VAR = global scope
all: foo bar
@echo In $@ VAR is $(VAR)
foo:
@echo In $@ VAR is $(VAR)
bar: VAR = local scope
bar: baz
@echo In $@ VAR is $(VAR)
baz:
@echo In $@ VAR is $(VAR)
f%: VAR = starts with f
Now if you run make you get the following output:
In foo VAR is starts with f
In baz VAR is local scope
In bar VAR is local scope
In all VAR is global scope
This is the same as above except that in the rule for foo the value of VAR has been set to starts with f by the pattern-specific definition.
It's worth noting that this is unrelated to normal GNU Make pattern rules. The pattern-specific macro definition can be used to change the value of a macro in a normal rule (as above). It can also be used with a pattern rule.
For example, you could change the value of DEBUG to 1 within all %.o files (that could be built using the standard %.o: %.c pattern rule) by writing:
%.o: DEBUG = 1
Makefile: target-specific example
As always, let's start with a simple example that illustrates the difference between global and local scope in GNU Make. The following Makefile has four targets: all, foo, bar, baz. All four targets are phony; since I'm only interested in illustrating global and local scope I've ignored actually building any files.
all requires that foo and bar be built and bar needs baz. The commands for each target all do the same thing. They print the value of macro VAR using a shell echo.
.PHONY: all foo bar baz
VAR = global scope
all: foo bar
@echo In $@ VAR is $(VAR)
foo:
@echo In $@ VAR is $(VAR)
bar: VAR = local scope
bar: baz
@echo In $@ VAR is $(VAR)
baz:
@echo In $@ VAR is $(VAR)
VAR is initially defined to have the value global scope. That's the value VAR will have anywhere in the Makefile; unless, of course, that value is overriden using a target- or pattern-specific macro.
So illustrate local scope I've redefined VAR to local scope for the rule that creates bar.
A target-specific macro definition is exactly like a normal macro definition (it uses the same =, :=, += and ?= operators) but it is preceded by the name of the target (and its colon) for which the macro should be defined.
In the Makefile above VAR is set to local scope for the bar rule by writing:
bar: VAR = local scope
If you run make on this Makefile you'll get the following output:
In foo VAR is global scope
In baz VAR is local scope
In bar VAR is local scope
In all VAR is global scope
You can clearly see that GNU Make is following its standard depth-first, left-to-right search pattern building foo (it's the first prerequisite of all), then baz (which is a prerequisite of bar which is the second prerequisite of all), then bar and finally all.
And sure enough within the rule for bar the value of VAR is local scope. And, as you expect since there's no local definition of VAR for all and foo, VAR has the value global scope in those rules.
But what about baz. The Makefile output shows that in baz the value of VAR is local scope, yet there was no explicit target-specific definition of VAR for baz.
baz has the same locally scoped macros as bar because baz is a prerequisite of bar. In fact, target-specific variables are defined for a target and all prerequisites of that target and all their prerequisites and so on. A target-specific variable's scope is the entire tree of targets starting from the target for which the variable was defined.
Saturday, September 8, 2012
Makefiles - Compile all .cpp files object .o files
Suppose I have project directory looks like this:
/project
Makefile
main
/src
main.cpp
foo.cpp
foo.h
bar.cpp
bar.h
/obj
main.o
foo.o
bar.o
What I would like my makefile to do would be to compile all .cpp files in the /src folder to .o files in the /obj folder, then link all the .o files in /obj into the output binary in the root folder /project.
So, the makefile part will be as easy as below:
Makefile
CPP_FILES := $(wildcard src/*.cpp)
OBJ_FILES := $(addprefix obj/,$(notdir $(CPP_FILES:.cpp=.o)))
LD_FLAGS := ...
CC_FLAGS := ...
main.exe: $(OBJ_FILES)
g++ $(LD_FLAGS) -o $@ $^
obj/%.o: src/%cpp
g++ $(CC_FLAGS) -c -o $@ $<
Sunday, August 26, 2012
Developing C++ shared libraries with Eclipse CDT
Consider the following not so uncommon scenario: you have a shared library project in Eclipse and an executable project which uses the shared library.
I found that you have to do some additional things for building, running and debugging the executable project in Eclipse (note that I’m doing this on Linux using CDT 4.0.3):
Define your shared library’s project as a reference for your application. In order to do so open the project properties of the executable project, go to project references and select the shared library project (where in my case “shared” is also the name of the shared library).
In the project settings of your executable project, add the shared library to the linker settings, as below:
I found that you have to do some additional things for building, running and debugging the executable project in Eclipse (note that I’m doing this on Linux using CDT 4.0.3):
Define your shared library’s project as a reference for your application. In order to do so open the project properties of the executable project, go to project references and select the shared library project (where in my case “shared” is also the name of the shared library).
In the project settings of your executable project, add the shared library to the linker settings, as below:
- Select the project name and right click, then choose property,
- Select C/C++ Build > C/C++ Linker,
- Add the library name of your shared library,
- Specify the shared library path "${workspace_loc:/SharedLib/Debug}"
Reference:
http://dirkraffel.com/2008/06/27/developing-shared-libraries-with-eclipse-cdt/
Saturday, August 25, 2012
CppUnit with Eclipse CDT Tutorial
About Eclipse CDT
Eclipse C/C++ Development Toolkit (CDT) is an extension to the Eclipse platform in the form of a plug-in. This plug-in is available for download for all platforms. The open source nature of the plug-in with its user-friendliness makes it more popular not just among the Linux developers but also among C++ developers on other platforms. CDT and the Web Tools plug-ins are the two most popular Eclipse plug-ins. Nearly two out of three developers using CDT are Windows users.
CDT has subcomponents or plug-ins that are independent projects in the CDT community. The most important is the CDT primary plug-in, which provides the core CDT capabilities. CDT Debug UI provides the UI capabilities for the debug editors and views. CDT UI plug-in provides the UI-related features, views, editors, wizards, etc. CDT Debug provides core debugging capabilities. CDT Feature provides CDT Feature component. CDT core presents Core Model, CDOM, and other core components. CDT Launch provides launch mechanism for launching external executables and tools. CDT Debug MI is the application connector for MI-compatible debuggers.
CDT editors have several features that make them popular. For example, syntax highlighting and code assist make software development quick and easy. Syntax highlighting is configurable and can be personalized to your individual taste. Code assist is the code completion feature that is similar to the one in Visual Studio. Custom-defined code templates can be added to the plug-in, which can be used by code assist.
In the following sections, we will learn how to use CDT effectively to use for testing project with CppUnit.
Installing Eclipse CDT
Download http://eclipse.org/downloads/ - i.e. eclipse-cpp-XXX-linux-gtk-x86_64.tar.gz 
Eclipse also requires the Java installation.
1. Download the Cpp``Unit distribution file Cpp``Unit-1.10.2.tar.gz and unpack it in a directory of your choice. From now on we will refer to this directory as $Cpp``Unit .
2. Run MSys to open a command line shell, then cd to the directory where you extracted Cpp``Unit and do:
./configure
There's no need to go any further than this with make, make install, etc. All we will need is the header $Cpp``Unit/include/Cpp``Unit/config-auto.h which has been generated in the step above.
Go to Eclipse and create a Managed Make C++ Project to generate a library (either static or shared).
Import all .h and .cpp files in $Cpp``Unit/src/Cpp``Unit to the project.
Open the project properties configuration dialog (Alt + Enter) and add $Cpp``Unit/include to the include path.
Thursday, August 23, 2012
Creating a local yum repository in CentOS
Sometimes it can be handy to set up your own repository to prevent from downloading the remote repository over and over again. This tutorial shows how to create a CentOS mirror for your local network. If you have to install multiple systems in your local network then all needed packages can be downloaded over the fast LAN connection, thus saving your internet bandwidth.
Create the Directories
mkdir -pv /var/www/html/centos/VER/{os,updates}/i386Replacing VER and i386 with your major version and architecture.
Additionally you'll need some deeper directories. This is the correct location to copy the CD/DVD rpms.
Quote:
mkdir -pv /var/www/html/centos/VER/os/i386/CentOS/RPMS/
The Base Repository
Copy the RPMs from the CDs/DVD to /var/www/html/centos/base.
Create the base repository headers:
createrepo /var/www/html/centos/VER/os/i386/
The Updates Repository
Select an rsync mirror for updates: check out this list of aviable mirrors: Centos OS Mirror list and these are identified with rsync.For example: rsync://ftp.belnet.be/packages/centos/
The mirrors share a common structure for updates. Simply append /updates/<d version>/<base arch>.
Rsync to create the updates-released repository:
/usr/bin/rsync -avrt rsync://ftp.riken.jp/centos/4/updates/i386 --exclude=debug/ /var/www/html/centos/4/updates/
This will create a complete update repository at /var/www/html/centos/4/updates/i386. The repodata directory will be created with all of the headers.
You can additionally pipe this into mail to receive an email when updates are available.
/usr/bin/rsync -avrt rsync://ftp.riken.jp/centos/4/updates/i386 --exclude=debug /var/www/html/centos/4/updates/ | /bin/mail you@example.com -s "New Repo Updates"
Next I would advise to setup a cron job to run the rsync (above). In this manner your repository is kept updated and only new updates and headers will be downloaded to your repository.
Client Site Configuration
Yum Configuration
Edit yum.conf:vi /etc/yum.repos.d/CentOS-Base.repo
http://localhost/res/centos/
[base]
name=CentOS-$releasever - Base
baseurl=http://192.168.*.*/centos/$releasever/os/$basearch/
#mirrorlist=http://mirrorlist.centos.org/?release=$releasever&arch=$basearch&repo=os
#baseurl=http://mirror.centos.org/centos/$releasever/os/$basearch/
gpgcheck=1
gpgkey=http://mirror.centos.org/centos/RPM-GPG-KEY-CentOS-5
#released updates
[update]
name=CentOS-$releasever - Updates
baseurl=http://192.168.*.*/centos/$releasever/updates/$basearch/
#mirrorlist=http://mirrorlist.centos.org/?release=$releasever&arch=$basearch&repo=updates
#baseurl=http://mirror.centos.org/centos/$releasever/updates/$basearch/
gpgcheck=1
gpgkey=http://mirror.centos.org/centos/RPM-GPG-KEY-CentOS-5
Sunday, August 12, 2012
C++ Thread Using Boost library sample
This post is the sample of essentials C++ thread using boost::threads library
#include <iostream>
#include <sstream>
#include <vector>
#include <string>
#include <boost/thread.hpp>
#include <boost/date_time.hpp>
#include <boost/bind.hpp>
#include "Elapsed.hpp"
const std::string RowRowRow("Row row row your boat gently down the stream");
const std::string Teapot("I'm a little teapot short and stout");
void sing(const std::string& lyrics,boost::posix_time::time_duration interval,bool indent=false) {
std::istringstream iss;
iss.str(lyrics);
std::string current;
do {
iss >> current;
if (iss) {
// extra spaces make it easier to read when interleaved by threading
if (indent)
std::cout << "\t\t";
std::cout << current << "\n";
boost::this_thread::sleep( interval );
} // end if
} while ( !iss.bad() && !iss.eof() );
std::cout << "\n";
} // end sing()
class Singer {
std::string m_lyrics;
boost::posix_time::time_duration m_interval;
bool m_indent;
public:
Singer(const std::string& lyrics,boost::posix_time::time_duration interval,bool indent)
:
m_lyrics(lyrics),
m_interval(interval),
m_indent(indent)
{
} // end constructor
void perform() {
sing(m_lyrics,m_interval,m_indent);
} // end perform()
}; // end class Singer
int main(int argc,char* argv[]) {
using namespace boost::posix_time;
time_duration interval( milliseconds(250) );
auto delay( milliseconds(60) );
// "sing" with a function
sing( RowRowRow, interval );
 
// delay
boost::this_thread::sleep( delay );
// "sing" with a member function
Singer teapotSinger(Teapot,interval,true);
teapotSinger.perform();
 
return 0;
} // end main()
#include <iostream>
#include <sstream>
#include <vector>
#include <string>
#include <boost/thread.hpp>
#include <boost/date_time.hpp>
#include <boost/bind.hpp>
#include "Elapsed.hpp"
const std::string RowRowRow("Row row row your boat gently down the stream");
const std::string Teapot("I'm a little teapot short and stout");
void sing(const std::string& lyrics,boost::posix_time::time_duration interval,bool indent=false) {
std::istringstream iss;
iss.str(lyrics);
std::string current;
do {
iss >> current;
if (iss) {
// extra spaces make it easier to read when interleaved by threading
if (indent)
std::cout << "\t\t";
std::cout << current << "\n";
boost::this_thread::sleep( interval );
} // end if
} while ( !iss.bad() && !iss.eof() );
std::cout << "\n";
} // end sing()
class Singer {
std::string m_lyrics;
boost::posix_time::time_duration m_interval;
bool m_indent;
public:
Singer(const std::string& lyrics,boost::posix_time::time_duration interval,bool indent)
:
m_lyrics(lyrics),
m_interval(interval),
m_indent(indent)
{
} // end constructor
void perform() {
sing(m_lyrics,m_interval,m_indent);
} // end perform()
}; // end class Singer
int main(int argc,char* argv[]) {
using namespace boost::posix_time;
time_duration interval( milliseconds(250) );
auto delay( milliseconds(60) );
// "sing" with a function
sing( RowRowRow, interval );
// delay
boost::this_thread::sleep( delay );
// "sing" with a member function
Singer teapotSinger(Teapot,interval,true);
teapotSinger.perform();
return 0;
} // end main()
Reference
http://www.advancedcplusplus.com/5min-threads/Saturday, August 4, 2012
Thread samples
C++11 Standard thread sample using std::thread
#include <iostream>
#include <thread>
void thFun(int i) {
std::cout << "Worker " << i << "!\n";
}
int main() {
// Create a thread
std::thread th(&thFun); // pass fun to thread constructor
std::cout << "Main Thread!\n";
// Need to wait until the worker thread finish the job
// This by calling join();
th.join();
return 0;
}
Multiple forks
// Sample of Thread multiple forks
#include <iostream>
#include <thread>
#include <algorithm> // for_each
#include <cassert>
void thFun(int i) {
std::cout << "Worker " << i << "!\n";
}
int main() {
// Create store to store the created threads
std::vector<std::thread> workers;
for (int i = 0; i < 10; ++i) {
auto th = std::thread(&thfun, i);
// Every thread push back into the store of the stack
workers.push_back(std::move(th));
assert(!th.joinable());
}
std::cout << "Main Thread!\n";
std::for_each(workers.begin(), workers.end(), [](std::thread & th)) {
assert(th.joinable());
th.join();
});
return 0;
}
Makefiles
Makefiles
Make searches the current directory for the makefile to use, e.g. GNU make searches files in order for a file named one of GNUmakefile, makefile, Makefile and then runs the specified (or default) target(s) from (only) that file.
The makefile language is similar to declarative programming. This class of language, in which necessary end conditions are described but the order in which actions are to be taken is not important, is sometimes confusing to programmers used to imperative programming.
One problem in build automation is the tailoring of a build process to a given platform. For instance, the compiler used on one platform might not accept the same options as the one used on another. This is not well handled by Make. This problem is typically handled by generating platform specific build instructions, which in turn are processed by Make. Common tools for this process are Autoconf and CMake.
Rules
A makefile consists of rules. Each rule begins with a textual dependency line which defines a target followed by a colon (:) and optionally an enumeration of components (files or other targets) on which the target depends. The dependency line is arranged so that the target (left hand of the colon) depends on components (right hand of the colon). It is common to refer to components as prerequisites of the target.
For example, a C .o object file is created from .c files, so you need to have .c files first (i.e. specific object file target depends on a C source file and header files). Because Make itself does not understand, recognize or distinguish different kinds of files, this opens up a possibility for human error. A forgotten or an extra dependency may not be immediately obvious and may result in subtle bugs in the generated software. It is possible to write makefiles which generate these dependencies by calling third-party tools, and some makefile generators, such as the Automake toolchain provided by the GNU Project, can do so automatically.
After each dependency line, a series of command lines may follow which define how to transform the components (usually source files) into the target (usually the "output"). If any of the components have been modified, the command lines are run.
Make can decide where to start through topological sorting.
Each command line must begin with a tab character to be recognized as a command. The tab is a whitespace character, but the space character does not have the same special meaning. This is problematic, since there may be no visual difference between a tab and a series of space characters. This aspect of the syntax of makefiles is often subject to criticism.
Each command is executed by a separate shell or command-line interpreter instance. Since operating systems use different command-line interpreters this can lead to unportable makefiles. For instance, GNU Make by default executes commands with /bin/sh, where Unix commands like cp are normally used. In contrast to that, Microsoft's nmake executes commands with cmd.exe where batch commands like copy are available but not necessarily cp.
target [target ...]: [component ...]
[<TAB>command 1]
.
.
.
[<TAB>command n]
Usually each rule has a single unique target, rather than multiple targets.
A rule may have no command lines defined. The dependency line can consist solely of components that refer to targets, for example:
realclean: clean distclean
The command lines of a rule are usually arranged so that they generate the target. An example: if "file.html" is newer, it is converted to text. The contents of the makefile:
file.txt: file.html
lynx -dump file.html > file.txt
The above rule would be triggered when Make updates "file.txt". In the following invocation, Make would typically use this rule to update the "file.txt" target if "file.html" were newer.
make file.txt
Command lines can have one or more of the following three prefixes:
a hyphen-minus (-), specifying that errors are ignored
an at sign (@), specifying that the command is not printed to standard output before it is executed
a plus sign (+), the command is executed even if Make is invoked in a "do not execute" mode
Ignoring errors and silencing echo can alternatively be obtained via the special targets ".IGNORE" and ".SILENT".[8]
Microsoft's NMAKE has predefined rules that can be omitted from these makefiles, e.g. "c.obj $(CC)$(CFLAGS)".
Macros
A makefile can contain definitions of macros. Macros are usually referred to as variables when they hold simple string definitions, like "CC=gcc". Macros in makefiles may be overridden in the command-line arguments passed to the Make utility. Environment variables are also available as macros.
Macros allow users to specify the programs invoked and other custom behavior during the build process. For example, the macro "CC" is frequently used in makefiles to refer to the location of a C compiler, and the user may wish to specify a particular compiler to use.
New macros (or simple "variables") are traditionally defined using capital letters:
MACRO = definition
A macro is used by expanding it. Traditionally this is done by enclosing its name inside $(). A rarely used but equivalent form uses curly braces rather than parenthesis, i.e. ${}.
NEW_MACRO = $(MACRO)-$(MACRO2)
Macros can be composed of shell commands by using the command substitution operator, denoted by backticks (`).
YYYYMMDD = ` date `
The content of the definition is stored "as is". Lazy evaluation is used, meaning that macros are normally expanded only when their expansions are actually required, such as when used in the command lines of a rule. An extended example:
PACKAGE = package
VERSION = ` date +"%Y.%m%d" `
ARCHIVE = $(PACKAGE)-$(VERSION)
dist:
# Notice that only now macros are expanded for shell to interpret:
# tar -cf package-`date +"%Y%m%d"`.tar
tar -zcf $(ARCHIVE).tar .
The generic syntax for overriding macros on the command line is:
make MACRO="value" [MACRO="value" ...] TARGET [TARGET ...]
Makefiles can access any of a number of predefined internal macros, with '?' and '@' being the most common.
target: component1 component2
echo $? contains those components, which need attention (i.e. they ARE YOUNGER than current TARGET).
echo $@ evaluates to current TARGET name from among those left of the colon.
Suffix rules
Suffix rules have "targets" with names in the form .FROM.TO and are used to launch actions based on file extension. In the command lines of suffix rules, POSIX specifies[9] that the internal macro $< refers to the prerequisite and $@ refers to the target. In this example, which converts any HTML file into text, the shell redirection token > is part of the command line whereas $< is a macro referring to the HTML file:
.SUFFIXES: .txt .html
# From .html to .txt
.html.txt:
lynx -dump $< > $@
When called from the command line, the above example expands.
$ make -n file.txt
lynx -dump file.html > file.txt
Other elements
Single-line comments are started with the hash symbol (#).
Some directives in makefiles can include other makefiles.
Line continuation is indicated with a backslash \ character at the end of a line.
target: component \
component
<TAB>command ; \
<TAB>command | \
<TAB>piped-command
Example makefiles
Makefiles are traditionally used for compiling code (*.c, *.cc, *.C, etc.), but they can also be used for providing commands to automate common tasks. One such makefile is called from the command line:
make # Without argument runs first TARGET
make help # Show available TARGETS
make dist # Make a release archive from current dir
The makefile:
PACKAGE = package
VERSION = ` date "+%Y.%m%d%" `
RELEASE_DIR = ..
RELEASE_FILE = $(PACKAGE)-$(VERSION)
# Notice that the variable LOGNAME comes from the environment in
# POSIX shells.
#
# target: all - Default target. Does nothing.
all:
echo "Hello $(LOGNAME), nothing to do by default"
# very rarely: echo "Hello ${LOGNAME}, nothing to do by default"
echo "Try 'make help'"
# target: help - Display callable targets.
help:
egrep "^# target:" [Mm]akefile
# target: list - List source files
list:
# Won't work. Each command is in separate shell
cd src
ls
# Correct, continuation of the same shell
cd src; \
ls
# target: dist - Make a release.
dist:
tar -cf $(RELEASE_DIR)/$(RELEASE_FILE) && \
gzip -9 $(RELEASE_DIR)/$(RELEASE_FILE).tar
Below is a very simple makefile that by default (the "all" rule is listed first) compiles a source file called "helloworld.c" using the gcc C compiler and also provides a "clean" target to remove the generated files if the user desires to start over. The $@ and $< are two of the so-called internal macros (also known as automatic variables) and stand for the target name and "implicit" source, respectively. In the example below, $^ expands to a space delimited list of the prerequisites. There are a number of other internal macros.
CC = gcc
CFLAGS = -g
all: helloworld
helloworld: helloworld.o
# Commands start with TAB not spaces
$(CC) $(LDFLAGS) -o $@ $^
helloworld.o: helloworld.c
$(CC) $(CFLAGS) -c -o $@ $<
clean: FRC
rm -f helloworld helloworld.o
# This pseudo target causes all targets that depend on FRC
# to be remade even in case a file with the name of the target exists.
# This works with any make implementation under the assumption that
# there is no file FRC in the current directory.
FRC:
Many systems come with predefined Make rules and macros to specify common tasks such as compilation based on file suffix. This allows user to omit the actual (often unportable) instructions of how to generate the target from the source(s). On such a system the above makefile could be modified as follows:
all: helloworld
helloworld: helloworld.o
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ $^
clean: FRC
rm -f helloworld helloworld.o
# This is an explicit suffix rule. It may be omitted on systems
# that handle simple rules like this automatically.
.c.o:
$(CC) $(CFLAGS) -c $<
FRC:
.SUFFIXES: .c
That "helloworld.o" depends on "helloworld.c" is now automatically handled by Make. In such a simple example as the one illustrated here this hardly matters, but the real power of suffix rules becomes evident when the number of source files in a software project starts to grow. One only has to write a rule for the linking step and declare the object files as prerequisites. Make will then implicitly determine how to make all the object files and look for changes in all the source files.
Simple suffix rules work well as long as the source files do not depend on each other and on other files such as header files. Another route to simplify the build process is to use so-called pattern matching rules that can be combined with compiler-assisted dependency generation. As a final example requiring the gcc compiler and GNU Make, here is a generic makefile that compiles all C files in a folder to the corresponding object files and then links them to the final executable. Before compilation takes place, dependencies are gathered in makefile-friendly format into a hidden file ".depend" that is then included to the makefile.
# Generic GNUMakefile
# Just a snippet to stop executing under other make(1) commands
# that won't understand these lines
ifneq (,)
This makefile requires GNU Make.
endif
PROGRAM = foo
C_FILES := $(wildcard *.c)
OBJS := $(patsubst %.c, %.o, $(C_FILES))
CC = cc
CFLAGS = -Wall -pedantic
LDFLAGS =
all: $(PROGRAM)
$(PROGRAM): .depend $(OBJS)
$(CC) $(CFLAGS) $(OBJS) $(LDFLAGS) -o $(PROGRAM)
depend: .depend
.depend: cmd = gcc -MM -MF depend $(var); cat depend >> .depend;
.depend:
@echo "Generating dependencies..."
@$(foreach var, $(C_FILES), $(cmd))
@rm -f depend
-include .depend
# These are the pattern matching rules. In addition to the automatic
# variables used here, the variable $* that matches whatever % stands for
# can be useful in special cases.
%.o: %.c
$(CC) $(CFLAGS) -c $< -o $@
%: %.c
$(CC) $(CFLAGS) -o $@ $<
clean:
rm -f .depend *.o
.PHONY: clean depend
Make searches the current directory for the makefile to use, e.g. GNU make searches files in order for a file named one of GNUmakefile, makefile, Makefile and then runs the specified (or default) target(s) from (only) that file.
The makefile language is similar to declarative programming. This class of language, in which necessary end conditions are described but the order in which actions are to be taken is not important, is sometimes confusing to programmers used to imperative programming.
One problem in build automation is the tailoring of a build process to a given platform. For instance, the compiler used on one platform might not accept the same options as the one used on another. This is not well handled by Make. This problem is typically handled by generating platform specific build instructions, which in turn are processed by Make. Common tools for this process are Autoconf and CMake.
Rules
A makefile consists of rules. Each rule begins with a textual dependency line which defines a target followed by a colon (:) and optionally an enumeration of components (files or other targets) on which the target depends. The dependency line is arranged so that the target (left hand of the colon) depends on components (right hand of the colon). It is common to refer to components as prerequisites of the target.
For example, a C .o object file is created from .c files, so you need to have .c files first (i.e. specific object file target depends on a C source file and header files). Because Make itself does not understand, recognize or distinguish different kinds of files, this opens up a possibility for human error. A forgotten or an extra dependency may not be immediately obvious and may result in subtle bugs in the generated software. It is possible to write makefiles which generate these dependencies by calling third-party tools, and some makefile generators, such as the Automake toolchain provided by the GNU Project, can do so automatically.
After each dependency line, a series of command lines may follow which define how to transform the components (usually source files) into the target (usually the "output"). If any of the components have been modified, the command lines are run.
Make can decide where to start through topological sorting.
Each command line must begin with a tab character to be recognized as a command. The tab is a whitespace character, but the space character does not have the same special meaning. This is problematic, since there may be no visual difference between a tab and a series of space characters. This aspect of the syntax of makefiles is often subject to criticism.
Each command is executed by a separate shell or command-line interpreter instance. Since operating systems use different command-line interpreters this can lead to unportable makefiles. For instance, GNU Make by default executes commands with /bin/sh, where Unix commands like cp are normally used. In contrast to that, Microsoft's nmake executes commands with cmd.exe where batch commands like copy are available but not necessarily cp.
target [target ...]: [component ...]
[<TAB>command 1]
.
.
.
[<TAB>command n]
Usually each rule has a single unique target, rather than multiple targets.
A rule may have no command lines defined. The dependency line can consist solely of components that refer to targets, for example:
realclean: clean distclean
The command lines of a rule are usually arranged so that they generate the target. An example: if "file.html" is newer, it is converted to text. The contents of the makefile:
file.txt: file.html
lynx -dump file.html > file.txt
The above rule would be triggered when Make updates "file.txt". In the following invocation, Make would typically use this rule to update the "file.txt" target if "file.html" were newer.
make file.txt
Command lines can have one or more of the following three prefixes:
a hyphen-minus (-), specifying that errors are ignored
an at sign (@), specifying that the command is not printed to standard output before it is executed
a plus sign (+), the command is executed even if Make is invoked in a "do not execute" mode
Ignoring errors and silencing echo can alternatively be obtained via the special targets ".IGNORE" and ".SILENT".[8]
Microsoft's NMAKE has predefined rules that can be omitted from these makefiles, e.g. "c.obj $(CC)$(CFLAGS)".
Macros
A makefile can contain definitions of macros. Macros are usually referred to as variables when they hold simple string definitions, like "CC=gcc". Macros in makefiles may be overridden in the command-line arguments passed to the Make utility. Environment variables are also available as macros.
Macros allow users to specify the programs invoked and other custom behavior during the build process. For example, the macro "CC" is frequently used in makefiles to refer to the location of a C compiler, and the user may wish to specify a particular compiler to use.
New macros (or simple "variables") are traditionally defined using capital letters:
MACRO = definition
A macro is used by expanding it. Traditionally this is done by enclosing its name inside $(). A rarely used but equivalent form uses curly braces rather than parenthesis, i.e. ${}.
NEW_MACRO = $(MACRO)-$(MACRO2)
Macros can be composed of shell commands by using the command substitution operator, denoted by backticks (`).
YYYYMMDD = ` date `
The content of the definition is stored "as is". Lazy evaluation is used, meaning that macros are normally expanded only when their expansions are actually required, such as when used in the command lines of a rule. An extended example:
PACKAGE = package
VERSION = ` date +"%Y.%m%d" `
ARCHIVE = $(PACKAGE)-$(VERSION)
dist:
# Notice that only now macros are expanded for shell to interpret:
# tar -cf package-`date +"%Y%m%d"`.tar
tar -zcf $(ARCHIVE).tar .
The generic syntax for overriding macros on the command line is:
make MACRO="value" [MACRO="value" ...] TARGET [TARGET ...]
Makefiles can access any of a number of predefined internal macros, with '?' and '@' being the most common.
target: component1 component2
echo $? contains those components, which need attention (i.e. they ARE YOUNGER than current TARGET).
echo $@ evaluates to current TARGET name from among those left of the colon.
Suffix rules
Suffix rules have "targets" with names in the form .FROM.TO and are used to launch actions based on file extension. In the command lines of suffix rules, POSIX specifies[9] that the internal macro $< refers to the prerequisite and $@ refers to the target. In this example, which converts any HTML file into text, the shell redirection token > is part of the command line whereas $< is a macro referring to the HTML file:
.SUFFIXES: .txt .html
# From .html to .txt
.html.txt:
lynx -dump $< > $@
When called from the command line, the above example expands.
$ make -n file.txt
lynx -dump file.html > file.txt
Other elements
Single-line comments are started with the hash symbol (#).
Some directives in makefiles can include other makefiles.
Line continuation is indicated with a backslash \ character at the end of a line.
target: component \
component
<TAB>command ; \
<TAB>command | \
<TAB>piped-command
Example makefiles
Makefiles are traditionally used for compiling code (*.c, *.cc, *.C, etc.), but they can also be used for providing commands to automate common tasks. One such makefile is called from the command line:
make # Without argument runs first TARGET
make help # Show available TARGETS
make dist # Make a release archive from current dir
The makefile:
PACKAGE = package
VERSION = ` date "+%Y.%m%d%" `
RELEASE_DIR = ..
RELEASE_FILE = $(PACKAGE)-$(VERSION)
# Notice that the variable LOGNAME comes from the environment in
# POSIX shells.
#
# target: all - Default target. Does nothing.
all:
echo "Hello $(LOGNAME), nothing to do by default"
# very rarely: echo "Hello ${LOGNAME}, nothing to do by default"
echo "Try 'make help'"
# target: help - Display callable targets.
help:
egrep "^# target:" [Mm]akefile
# target: list - List source files
list:
# Won't work. Each command is in separate shell
cd src
ls
# Correct, continuation of the same shell
cd src; \
ls
# target: dist - Make a release.
dist:
tar -cf $(RELEASE_DIR)/$(RELEASE_FILE) && \
gzip -9 $(RELEASE_DIR)/$(RELEASE_FILE).tar
Below is a very simple makefile that by default (the "all" rule is listed first) compiles a source file called "helloworld.c" using the gcc C compiler and also provides a "clean" target to remove the generated files if the user desires to start over. The $@ and $< are two of the so-called internal macros (also known as automatic variables) and stand for the target name and "implicit" source, respectively. In the example below, $^ expands to a space delimited list of the prerequisites. There are a number of other internal macros.
CC = gcc
CFLAGS = -g
all: helloworld
helloworld: helloworld.o
# Commands start with TAB not spaces
$(CC) $(LDFLAGS) -o $@ $^
helloworld.o: helloworld.c
$(CC) $(CFLAGS) -c -o $@ $<
clean: FRC
rm -f helloworld helloworld.o
# This pseudo target causes all targets that depend on FRC
# to be remade even in case a file with the name of the target exists.
# This works with any make implementation under the assumption that
# there is no file FRC in the current directory.
FRC:
Many systems come with predefined Make rules and macros to specify common tasks such as compilation based on file suffix. This allows user to omit the actual (often unportable) instructions of how to generate the target from the source(s). On such a system the above makefile could be modified as follows:
all: helloworld
helloworld: helloworld.o
$(CC) $(CFLAGS) $(LDFLAGS) -o $@ $^
clean: FRC
rm -f helloworld helloworld.o
# This is an explicit suffix rule. It may be omitted on systems
# that handle simple rules like this automatically.
.c.o:
$(CC) $(CFLAGS) -c $<
FRC:
.SUFFIXES: .c
That "helloworld.o" depends on "helloworld.c" is now automatically handled by Make. In such a simple example as the one illustrated here this hardly matters, but the real power of suffix rules becomes evident when the number of source files in a software project starts to grow. One only has to write a rule for the linking step and declare the object files as prerequisites. Make will then implicitly determine how to make all the object files and look for changes in all the source files.
Simple suffix rules work well as long as the source files do not depend on each other and on other files such as header files. Another route to simplify the build process is to use so-called pattern matching rules that can be combined with compiler-assisted dependency generation. As a final example requiring the gcc compiler and GNU Make, here is a generic makefile that compiles all C files in a folder to the corresponding object files and then links them to the final executable. Before compilation takes place, dependencies are gathered in makefile-friendly format into a hidden file ".depend" that is then included to the makefile.
# Generic GNUMakefile
# Just a snippet to stop executing under other make(1) commands
# that won't understand these lines
ifneq (,)
This makefile requires GNU Make.
endif
PROGRAM = foo
C_FILES := $(wildcard *.c)
OBJS := $(patsubst %.c, %.o, $(C_FILES))
CC = cc
CFLAGS = -Wall -pedantic
LDFLAGS =
all: $(PROGRAM)
$(PROGRAM): .depend $(OBJS)
$(CC) $(CFLAGS) $(OBJS) $(LDFLAGS) -o $(PROGRAM)
depend: .depend
.depend: cmd = gcc -MM -MF depend $(var); cat depend >> .depend;
.depend:
@echo "Generating dependencies..."
@$(foreach var, $(C_FILES), $(cmd))
@rm -f depend
-include .depend
# These are the pattern matching rules. In addition to the automatic
# variables used here, the variable $* that matches whatever % stands for
# can be useful in special cases.
%.o: %.c
$(CC) $(CFLAGS) -c $< -o $@
%: %.c
$(CC) $(CFLAGS) -o $@ $<
clean:
rm -f .depend *.o
.PHONY: clean depend
Make
In software development, Make is a utility that automatically builds executable programs and libraries from source code by reading files called makefiles which specify how to derive the target program. Though integrated development environments and language-specific compiler features can also be used to manage a build process, Make remains widely used, especially in Unix.
Make is invoked with a list of target file names to build as command-line arguments:
make TARGET [TARGET ...]
http://en.wikipedia.org/wiki/O%27Reilly_Media
Behavior
Make is typically used to build executable programs and libraries from source code. Generally though, any process that involves transforming a source file to a target result (by executing arbitrary commands) is applicable to Make. For example, Make could be used to detect a change made to an image file (the source) and the transformation actions might be to convert the file to some specific format, copy the result into a content management system, and then send e-mail to a predefined set of users that the above actions were performed.Make is invoked with a list of target file names to build as command-line arguments:
make TARGET [TARGET ...]
Makefiles
Make searches the current directory for the makefile to use, e.g. GNU make searches files in order for a file named one of GNUmakefile, makefile, Makefile and then runs the specified (or default) target(s) from (only) that file.
The makefile language is similar to declarative programming. This class of language, in which necessary end conditions are described but the order in which actions are to be taken is not important, is sometimes confusing to programmers used to imperative programming.
References
http://www.openbsd.org/cgi-bin/man.cgi?query=make#FILEShttp://en.wikipedia.org/wiki/O%27Reilly_Media
C++11 eclipse MinGW configuration
This post is the memo of how to configure eclipse C/C++ on Windows using MinGW for C++11 standard.
- Make a new C++ project
- Default options for everything
- Once created, right-click the project and go to "Properties"
- C/C++ Build -> Settings -> Tool Settings -> GCC C++ Compiler -> Miscellaneous -> Other Flags. Put-std=c++0xat the end . ... instead of GCC C++ Compiler I have also Cygwin compiler
- C/C++ General -> Paths and Symbols -> Symbols -> GNU C++. Click "Add..." and paste__GXX_EXPERIMENTAL_CXX0X__(ensure to append and prepend two underscores) into "Name" and leave "Value" blank.
- Hit Apply, do whatever it asks you to do, then hit OK.
Reference
Thursday, August 2, 2012
Convert legacy of C++ project using Makefile to Eclipse IDE
Suppose you have a legacy of C++ project on Linux which uses the typical:
./configure
make
make install
to build and install.
If you would really like to build it instead with an IDE like Eclipse, how to achieve this?
./configure
make
make install
to build and install.
If you would really like to build it instead with an IDE like Eclipse, how to achieve this?
Using Eclipse with the CDT plugin will allow you to use it for C/C++ projects, and you can tell it to use Makefiles to build your project. You just have to set up a Makefile project. You might have to tell it to let you manage the Makefiles rather than have it do it - I don't remember off the top of my head - but there should be no problem in setting up Eclipse to use pre-existing Makefiles to build a pre-existing project. I've done it before.
You will have to tell it where the include directories are and what macros to assume are defined for things like code completion to work correctly (I don't know of any way for Eclipse to figure that out for you), so there is definitely some set up that you'll have to do. But it definitely works.
Just grab the C++ version of Eclipse from their site (it comes with all of the appropriate C/C++ plugins so that you don't have to track them down), and you can look at the CDT site for documentation, frequently asked questions, etc.
References
http://www.ibm.com/developerworks/aix/library/au-unix-eclipse/index.html
http://help.eclipse.org/galileo/index.jsp?topic=/org.eclipse.cdt.doc.user/getting_started/cdt_w_existing_code.htm
Wednesday, August 1, 2012
C++11
C++11 (formerly known as C++0x) is the most recent iteration of the C++ programming language. It was approved by ISO on 12 August 2011, replacing C++03. The name is derived from the tradition of naming language versions by the year of the specification's publication.
C++11 includes several additions to the core language and extends the C++ standard library, incorporating most of the C++ Technical Report 1 (TR1) libraries — with the exception of the library of mathematical special functions. C++11 was published as ISO/IEC 14882:2011in September 2011 and is available for a fee. The working draft most similar to the published C++11 standard is N3337, dated 12 January 2012; it has only editorial corrections from the C++11 standard.
C++11 includes several additions to the core language and extends the C++ standard library, incorporating most of the C++ Technical Report 1 (TR1) libraries — with the exception of the library of mathematical special functions. C++11 was published as ISO/IEC 14882:2011in September 2011 and is available for a fee. The working draft most similar to the published C++11 standard is N3337, dated 12 January 2012; it has only editorial corrections from the C++11 standard.
Reference
- Perfect online video tutorial of C++11 Concurrency
 http://www.youtube.com/watch?v=80ifzK3b8QQ
Tuesday, July 31, 2012
thread sample
#include <iostream>
#include <thread>
void threadFun()
{
  std::cout << "Hello thread\n";
}
int main()
{
  std::thread th(&threadFun);
  std::cout << "Hello from main\n";
  th.join();
  return 0;
}
Subscribe to:
Comments (Atom)
 




