Mandalika's scratchpad [ Work blog @Oracle | My Music Compositions ]

Old Posts: 09.04  10.04  11.04  12.04  01.05  02.05  03.05  04.05  05.05  06.05  07.05  08.05  09.05  10.05  11.05  12.05  01.06  02.06  03.06  04.06  05.06  06.06  07.06  08.06  09.06  10.06  11.06  12.06  01.07  02.07  03.07  04.07  05.07  06.07  08.07  09.07  10.07  11.07  12.07  01.08  02.08  03.08  04.08  05.08  06.08  07.08  08.08  09.08  10.08  11.08  12.08  01.09  02.09  03.09  04.09  05.09  06.09  07.09  08.09  09.09  10.09  11.09  12.09  01.10  02.10  03.10  04.10  05.10  06.10  07.10  08.10  09.10  10.10  11.10  12.10  01.11  02.11  03.11  04.11  05.11  07.11  08.11  09.11  10.11  11.11  12.11  01.12  02.12  03.12  04.12  05.12  06.12  07.12  08.12  09.12  10.12  11.12  12.12  01.13  02.13  03.13  04.13  05.13  06.13  07.13  08.13  09.13  10.13  11.13  12.13  01.14  02.14  03.14  04.14  05.14  06.14  07.14  09.14  10.14  11.14  12.14  01.15  02.15  03.15  04.15  06.15  09.15  12.15  01.16  03.16  04.16  05.16  06.16  07.16  08.16  09.16  12.16  01.17  02.17  03.17  04.17  06.17  07.17  08.17  09.17  10.17  12.17  01.18  02.18  03.18  04.18  05.18  06.18  07.18  08.18  09.18  11.18  12.18  01.19  02.19  05.19  06.19  08.19  10.19  11.19  05.20  10.20  11.20  12.20  09.21  11.21  12.22 


Friday, July 29, 2005
 
Sun Studio C/C++: Support for UTF-16 String Literals

Characters in general are stored as ASCII codes. ASCII uses one byte (8 bits) to store each character, and hence can store a maximum of 256 (28) characters. Due to this limitation, ASCII is not capable of accomodating new characters to support other languages like Chinese, Japanese, Indic languages etc. The existing character set (ASCII) is adequate, as long as we restrict ourselves to english alphabet and most commonly used punctuation and technical symbols. But this is not the case, if we want to extend our applications to support quite a number of international languages.

Unicode

This problem can be alleviated by increasing the number of bits used to store each character. Unicode standard was evolved to specify the representation of text in modern software products and standards; and as a result data will be transported through many different systems without corruption.

Unicode provides a unique number for every character, no matter what the platform, no matter what the program, no matter what the language is. The Unicode standard defines three encoding forms that allow the same data to be transmitted in a byte (8 bits), word (16 bits) or double word (32 bits) oriented format. All these encoding forms can be efficiently transformed into one another without any loss of data. Of these three encoding forms, UTF-16 is extremely popular because most of the heavily used characters fit into one 16-bit code unit ie., 65,536 (216) characters; and it occupies only 2 bytes in memory.

To represent Unicode characters, the char data type is not suitable; and hence we cannot use the string routines supplied with standard C library, on Unicode data. To represent UTF-16 characters, unsigned short data type can be used, since it occupies 2 byte storage. Also it avoids the need for introducing a new data type into compilers.

Sun's support for UTF-16 string literals

16-bit character string literals are not part of C/C++ standard yet. So, to address the needs of customers who develop/support internationalized applications, Sun introduced limited support for string literals of 16-bit (UTF-16 and UCS2) characters, as a language extension in Sun Studio Compiler Collection 8.

By default, the C/C++ compiler doesn't recognize the 16-bit character string literal. To make it recognize the 16-bit character string literals and to convert 'em to UTF-16 strings in the object file, we need to use the compiler switch -xustr=ascii_utf16_ushort. Since U"ASCII_String" syntax may become standard (in the future), Sun adopted this syntax to form 16-bit character string literals. Note that a non ASCII character in a character or string literal is an error.

eg., U"SomeString";

A literal character (U'c') has type const unsigned short, and a literal string (U"string") has type array of const unsigned short

Be aware that there is no library of supporting routines for such strings or characters. The users have to write their own string handling and I/O routines. One obvious reason for the lack of supporting library is being non-standard; and it is not easy to predict what will eventually be adopted by the standards committee(s). In the worst case, Sun may end up supporting a library that conflicts with a standard library.

Here's an example:
% cat unicode.c
const unsigned short *dummy = U"dummy";
const unsigned short unicodestr[] = U"UnicodeString";

const unsigned short *greet() {
return U"Hello!";
};
This code has to be compiled with -xustr=ascii_utf16_ushort option, for the compiler to recognize and convert these string literals to UTF-16 strings in the object file. Note that the compiler option -xustr=ascii_utf16_ushort is the same for both C and C++ compilers

C
% cc -w -c unicode.c
"unicode.c", line 1: undefined symbol: U
"unicode.c", line 1: non-constant initializer: op "NAME"
"unicode.c", line 1: syntax error before or at: "dummy"
"unicode.c", line 2: non-constant initializer: op "NAME"
"unicode.c", line 2: syntax error before or at: "UnicodeString"
"unicode.c", line 5: syntax error before or at: "Hello!"
cc: acomp failed for unicode.c

% cc -w -c -xustr=ascii_utf16_ushort unicode.c

% ls -l unicode.o
-rw-rw-r-- 1 gmandali ccuser 1376 Jul 29 18:19 unicode.o
C++
% CC -c unicode.c
"unicode.c", line 1: Error: U is not defined.
"unicode.c", line 1: Error: Badly formed expression.
"unicode.c", line 2: Error: U is not defined.
"unicode.c", line 2: Error: Badly formed expression.
"unicode.c", line 5: Error: U is not defined.
"unicode.c", line 5: Error: Badly formed expression.
6 Error(s) detected.

% CC -c -xustr=ascii_utf16_ushort unicode.c

% ls -l unicode.o
-rw-rw-r-- 1 gmandali ccuser 1256 Jul 29 18:20 unicode.o

__________________
Technorati tags: | |


Sunday, July 24, 2005
 
Running Enterprise applications on Solaris 10

The following material is a concoction of information on binary compatibility, appcert tool etc., and illustrates how Siebel 7.7 can be installed and run on Solaris 10, with some troubleshooting steps. Consider this blog post as a case study for installing Siebel 7.7 on Solaris 10; hence most of the material talks about Siebel 7.7/Solaris 10 combination, as we walk through from the decision making , to the installation of tl driver patch, for it (the combo) to handle high user load. However the underlying execution methodology of application migration to Solaris 10 will be the same for almost all enterprise applications.

In general, we can classify the customers into:
  1. those who wants the latest copy of the application, but do not want to upgrade their OS to a new version
  2. those who do not want to upgrade the application, but wants to upgrade their OS to a new version
  3. those who do not want to upgrade either the application or the OS version
  4. those who wants to upgrade both the application and the OS version
I am going to narrate the whole story of Siebel7.7/Solaris 10 migration, by assuming myself as a Siebel/Solaris customer with Siebel 7.7 running on Solaris 9 (case 2, in above classification)

Decision Making: Worth considering Solaris 10?

Let's start with some facts
  1. Solaris 10 is FREE, even for commercial use
    • Hoooray! Way to go, Sun! =)

  2. Solaris 10 is a faster OS with tons of new features
    • Heard a lot about it at blogs.sun.com; and I'm aware of the 2 million downloads too. Really looking forward to use DTrace, (virtual) zones on my Sun Fire v1280

  3. Solaris 10 is not a supported platform for Siebel 7.7
    • I know that only Solaris 8 & 9 are the supported versions; and I'm pretty sure that I will not be getting any support for the issues on Solaris 10. But I 've confidence on Sun's promise on ABI and compatibility (see item 6)

  4. Siebel Enterprise server takes care of the application logic and actually all the application specific data be stored in a database
    • This is the most important thing, driving me to make this bold attempt. Because of this, I know that I'm not going to lose any data; and in the worst case, I may not be able to run Siebel 7.7 on Solaris 10. That's fine with me

  5. Siebel 8.0 will be available on Solaris 10 (or 10U1)
    • Nice; Win-Win-Win situation for Sun-Siebel-Customer. But I can't wait until Siebel 8.0 is available

  6. Sun always boasts about stable ABI (Application Binary Interface) & binary compatibility
    • Hope Sun and Siebel wont let me down by introducing compatibility issues
Alright! Now I know for sure that Siebel 7.7 is not certified on Solaris 10. But before I blindly install it, and run into troubles, I just want to do some preliminary check to see if I can run Siebel 7.7 on Solaris 10. Item 6, from the above list, gives us some confidence on running binaries compiled for lower OS versions, on higher OS versions. But what exactly does it mean?

Binary compatibility

Binary compatibility of an OS is the ability to run application(s) that were built for one version of OS, on later versions of OS without having to change or rebuild the application; but the same application may not run on earlier versions of the operating system

Because of the Solaris' binary compatibility (ABI stability), all the applications that were compiled on previous versions of Solaris, continue to run on the later versions of the OS, unless the application steps aside and abuses some non-standard or internal interfaces of the OS. All the non-standard, internal stuff is bound to break any time; and that's the reason why there is much insistence on using standard interfaces. If the application continues to work on later versions of the OS, even in the presence of non-standard interfaces, it must be mere luck and there is no guarantee that it is going to work in the future releases of the OS.

Okay, Okay! I'm convinced with Sun (Solaris) binary compatibility; but I'm not sure about Siebel's compliance with standard interfaces. Solaris 8 and later versions, ship a tool called appcert to examine application's use of unstable Solaris interfaces.

appcert

From the man page of appcert:

appcert checks for:
  1. Private symbol usage in Solaris libraries
    • These are private symbols, that is, functions or data, that are not intended for developer consumption

  2. Static linking
    • In particular, this refers to static linking of archives libc.a, libsocket.a, and libnsl.a. Because the semantics of private symbol calls from one Solaris library to another can change from one release to another, it is not a good practice to hardwire library code into your binary objects

  3. Unbound symbols
    • These are library symbols (that is, functions or data) that the dynamic linker could not resolve when appcert was run. This might be an environment problem (for example, LD_LIBRARY_PATH) or a build problem (for example, not specifying -llib and/or -z defs with compiling). They are flagged to point these problems out and in case a more serious problem is indicated
This kind of tool is exactly what I'm looking for. So, I simply archived the whole Siebel installation on a Solaris 9 machine, and extracted on Solaris 10 machine, for finding compatibility issues, with appcert tool. Since appcert has the ability to examine all executables and shared libraries of a product, I just specified the top level directory of the Siebel installation, as an argument to appcert. It took quite a while (nearly 2-3 hrs) to examine all the application binaries, and finally printed a detailed report. From the report, it appears that most of the warnings are about unbound symbols

Sample appcert session:
% appcert libsslcshar.so

finding executables and shared libraries to check ...

Shared libraries were found in the application and the
following directories are appended to LD_LIBRARY_PATH:

./.

profiling: libsslcshar.so
determining list of Solaris libraries ...
checking binary objects for unstable practices ...
checking: libsslcshar.so
performing miscellaneous checks ...
------------------------------------------------------------------------
Summary: No binary stability problems detected.

A total of 1 binary objects were examined.
The following (1 of 1) components had no problems detected:

libsslcshar.so

Additional output regarding private symbols usage and other
data is in the directory:
/tmp/appcert.3001

see the appcert documentation for more information.
Since appcert couldn't find any potential issues, that may break the application wildly on Solaris 10, I've decided to install the application on Solaris 10 in a proper way, so it could handle some of our user traffic. As enhancements to Solaris 10, are available in the form of Solaris Express Nevada builds, I chose Solaris Express 3/05 (was the latest one, by then) as my base OS. One noticeable thing is uname -r returned 5.10.1, instead of 5.10 or 5.11

Siebel 7.7 installation on Solaris 5.10.1

The installation failed during the system requirements check, itself. Though the installer didn't show any specific error message, with little effort, I found that the installer didn't like an extra dot (.) in the version of the OS. It is expecting something like 5.x, but not 5.x.y. Since the installer is refusing to make any progress in the installation, I have no other choice but to install it on any machine running Solaris 8 or 9, with the configuration that I'm going to use on my Solaris 10.1 box; and to complete the installation on Solaris 10.1, with the help of Siebel tools install_gateway, install_serverinstall_eappweb. The complete steps are as follows:
  1. Generate the configuration response files

    Install Siebel 7.7 Gateway, Enterprise Server and Web Server Extension on Solaris 8 or 9. During the installation, enter all configuration options that you want to use on the Solaris 10.1

  2. Move the Gateway, Enterprise and Web server extension installation directories to the Solaris 10.1 machine; and make sure the installation directory, host name, and web server directory etc., are pointing to the right ones

  3. Finally, finish the installation on Solaris 10.1 with the following commands:

    1. Gateway server
      cd gtwysrvr/install_script/install
      ./install_gateway -S -l enu -r <target-directory>

    2. Siebel server
      cd siebsrvr/install_script/install
      ./install_server -S -l enu -o "enu" -r <target-directory>
      cd siebsrvr/bin
      ./siebelmwsslsetting.ksh <target-directory>
      ./apache_3rdparty_link.ksh <target-directory>

    3. Web server extension (SWE)
      cd <installation-directory>/install_script/install
      ./install_eappweb -S -l enu -L "enu" -r <target-directory>
That's quite a bit of work; and prone to errors. I'm reluctant to use this method right away, and saved it as a last resort. So, I looked around for a solution, and finally realized that I'm on Solaris 10 (10.1, actually) and have access to dtrace. Since the installer is going to get the OS version by calling uname -r, I need to execute a small dtrace script which has entry, return points for the system call uname

static int uname(struct utsname *); is the signature of uname() and utsname has the following structure:
struct utsname {
char sysname[_SYS_NMLN];
char nodename[_SYS_NMLN];
char release[_SYS_NMLN];
char version[_SYS_NMLN];
char machine[_SYS_NMLN];
};
utsname structure, and uname() declarations are in the header file: utsname.h

The following little DTrace script would be helpful in interposing the system release information, on the fly
% sysrelease.d
#!/usr/sbin/dtrace -Cws

#include <sys/utsname.h>

syscall::uname:entry
{
this->in = (struct utsname *)arg0;
}

syscall::uname:return
{
copyoutstr($$1, (uintptr_t)&this->in->release[0], SYS_NMLN);

}

This script accepts an argument, the version# of our choice; so as long as the script is running, the OS returns our input as output to uname -r. Once the script exits, the OS returns the true version. Since this approach is simple, I've decided to feed 5.11 to this script, and finish the installation.
% uname -a
SunOS sunfire4 5.10.1 snv_10 sun4u sparc SUNW,Sun-Fire-1280R

% ./sysrelease.d 5.11
dtrace: script './sysrelease.d' matched 2 probes
dtrace: allowing destructive actions
.. script waits here doing nothing ..

In another window:
% uname -a
SunOS sunfire4 5.11 snv_10 sun4u sparc SUNW,Sun-Fire-1280R

Complete the Siebel installation. Once it is done, go back to the
previous window, and stop the script by pressing Ctrl-C


^C

% uname -a
SunOS sunfire4 5.10.1 snv_10 sun4u sparc SUNW,Sun-Fire-1280R
The installation was successful. Then I spent some time testing one of the Siebel applications manually, and then configured Siebel Enterprise server to handle a load of 500 users, with the confidence that even if something fails blatantly, there won't be any severe data loss.

So it was in production, and everybody was happy until the server was choked when there is a significant increase in the number of concurrent requests from the online users. Some of the users who are able to connect to the application, are able to continue with their work; but those new users who want to access the applications like Financial Services, eChannel, couldn't quite succeed with consistent Server busy message from Siebel enterprise server. It appears to be an issue with OS, as the resource utilization on the machine was very low, yet the server is not able to handle the new requests. It is easy to speculate that the problem be lying some where in the OS configuration, because the same Siebel binary with similar configuration, works well on Solaris 9. Siebel enterprise logged hundreds of messages with the error: SBL-SCB-00011: Failed to connect to pipe (SEBL_0_10340) on process 10340 ie., Siebel Connection Broker component is not able to establish a connection with one of the object managers with pid 10340. Due to a design flaw, instead of giving up and sending the requests to the other idle object managers, the SCBroker component keeps sending the new requests to the misbehaving object manager. This behavior is due to the built-in round-robin load balancing mechanism of SCBroker. Some of the output from truss tracing:
10334/1:        accept(17, 0xFFBFECEC, 0xFFBFECFC, SOV_DEFAULT) = 20
10334/1: AF_INET name = 192.20.125.41 port = 52624
10334/1: mprotect(0xF6900000, 40960, 0x0007) = 0
10334/1: mprotect(0xF6900000, 40960, 0x0001) = 0
10334/1: pollsys(0xFFBFC460, 1, 0xFFBFE4C8, 0x00000000) = 1
10334/1: fd=20 ev=POLLRDNORM rev=POLLRDNORM
10334/1: timeout: 6.000000000 sec
10334/1: recv(20, 0xFFBFEB80, 256, 2) = 256
10334/1: P O S T h t t p : / / s u n f i r e 4 : 2 3 2 1 / s i
10334/1: e b e l / f i n s o b j m g r _ e n u / r r H T T P / 1 . 1\r
10334/1: \n H o s t : s u n f i r e 4\r\n C o n t e n t - T y p
10334/1: e : A p p l i c a t i o n / o c t e t - s t r e a m\r\n C o n
10334/1: t e n t - L e n g t h : 1 0 4\r\n X - S i e b e l - D i g e s
10334/1: t : b m + A B b R s P D N H t D T C x l j K U M v M y Z E =\r
10334/1: \n\r\n\0\0\0 d\0\0\0\0\0\0\001\0\0\0\0\0\0\0\0\0\0\001\0\0\0\0\0
10334/1: \0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\001\0\0\0\f\0\0\0 ,\0
10334/1: so_socket(PF_UNIX, SOCK_STREAM, 0, 0x00000000, SOV_DEFAULT) = 21
10334/1: 0x00000000: ""
10334/1: connect(21, 0xFFBFE0E8, 110, SOV_DEFAULT) Err#146 ECONNREFUSED
10334/1: AF_UNIX name = /export/home/giri/18104/siebsrvr/temp/SEBL_0_10340
10334/1: close(21) = 0
10334/1: time() = 1109897588
10334/1: write(19, 0x0057758C, 160) = 160
10334/1: G e n e r i c L o g\t G e n e r i c E r r o r\t 1\t 0\t 2 0 0 5
10334/1: - 0 3 - 0 3 1 7 : 5 3 : 0 8\t ( s c b c o m p . c p p ( 8 2
10334/1: 2 ) e r r = 7 1 0 0 0 1 1 s y s = 0 ) S B L - S C B - 0 0
10334/1: 0 1 1 : F a i l e d t o c o n n e c t t o p i p e (
10334/1: S E B L _ 0 _ 1 0 3 4 0 ) o n p r o c e s s 1 0 3 4 0 .\n
10334/1: time() = 1109897588
10334/1: write(19, 0x0057758C, 160) = 160
10334/1: G e n e r i c L o g\t G e n e r i c E r r o r\t 1\t 0\t 2 0 0 5
10334/1: - 0 3 - 0 3 1 7 : 5 3 : 0 8\t ( s c b c o m p . c p p ( 4 1
10334/1: 6 ) e r r = 7 1 0 0 0 1 1 s y s = 0 ) S B L - S C B - 0 0
10334/1: 0 1 1 : F a i l e d t o c o n n e c t t o p i p e (
10334/1: S E B L _ 0 _ 1 0 3 4 0 ) o n p r o c e s s 1 0 3 4 0 .\n
10334/1: ioctl(20, 0x8004667E, 0xFFBFE5B0) = 0
write 4 bytes
10334/1: setsockopt(20, SOL_SOCKET, SO_KEEPALIVE, 0xFFBFE5AC, 4, SOV_DEFAULT) = 0
10334/1: getpeername(20, 0xFFBFE54C, 0xFFBFE5B4, SOV_DEFAULT) = 0
10334/1: AF_INET name = 192.20.125.41 port = 52624
10334/1: send(20, 0x0057B650, 172, 0) = 172
10334/1: \0\0\0A8\0\0\0\0\0\0\001\0\0\001\0\0\001\0\0\003\0\0\0\0\0\0\0\0
10334/1: \0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\003\0\0\0\f\0\0\0 p\0\0\001
10334/1: \0\0\001\0\0\001\0\00406\0\0\0 X\0 f\0 a\0 i\0 l\0 e\0 d\0 \0 t
10334/1: \0 o\0 \0 t\0 r\0 a\0 n\0 s\0 f\0 e\0 r\0 \0 c\0 o\0 n\0 n\0 e
10334/1: \0 c\0 t\0 i\0 o\0 n\0 \0 t\0 o\0 \0 \0 c\0 o\0 m\0 p\0 o\0 n
10334/1: \0 e\0 n\0 t\0\0\0 l V k
10334/1: shutdown(20, 2, SOV_DEFAULT) = 0
10334/1: close(20) = 0
10334/1: time() = 1109897588
10334/1: write(19, 0x0057758C, 160) = 160
10334/1: G e n e r i c L o g\t G e n e r i c E r r o r\t 1\t 0\t 2 0 0 5
10334/1: - 0 3 - 0 3 1 7 : 5 3 : 0 8\t ( s c b c o m p . c p p ( 2 3
10334/1: 5 ) e r r = 7 1 0 0 0 1 1 s y s = 0 ) S B L - S C B - 0 0
10334/1: 0 1 1 : F a i l e d t o c o n n e c t t o p i p e (
10334/1: S E B L _ 0 _ 1 0 3 4 0 ) o n p r o c e s s 1 0 3 4 0 .\n
10334/1: pollsys(0xFFBFCC08, 1, 0xFFBFEC70, 0x00000000) = 1
10334/1: fd=17 ev=POLLRDNORM rev=POLLRDNORM
10334/1: timeout: 5.000000000 sec
10334/1: accept(17, 0xFFBFECEC, 0xFFBFECFC, SOV_DEFAULT) = 20
10334/1: AF_INET name = 192.20.125.41 port = 52625
From the following lines, it appears that it has to do something with the AF_INET sockets on UNIX
connect(21, 0xFFBFE0E8, 110, SOV_DEFAULT)       Err#146 ECONNREFUSED
AF_UNIX name = /export/home/giri/18104/siebsrvr/temp/SEBL_0_10340
So, we opened up a case with Sun, and it turns out to be there is some race condition that is preventing correct handling of close(), that is happening in parallel with accept() (Siebel client does a series of connect(); write(); close()); and to some extent the low number (32) of maximum backlog supported by the TL driver of Solaris. The following bug was logged against TL driver of Solaris, and the fix was integrated in Nevada build 14 (snv_14): 6249138 Race between accept() and eager close may confuse AF_UNIX socket

Thanks to the OpenSolaris project, now we can see the fixed code, at: tl.c

4352289 TL_MAXQLEN needs to be higher has some information on the maximum backlog of TL (local transport) driver.

Once the system is patched up with the fixed tl driver, everything seems normal; and didn't encounter any issues further

Performance

After all this effort, you may ask, is it worth installing the enterprise application(s) on Solaris 10? The simple answer is: Yes, it is. One of the major concerns is the performance of the application; and there is a noticeable performance improvement of ~4% in CPU utilization (just by running it) on Solaris 10, compared to Solaris 9 (keeping the configurations of the machines and the application, same, except the OS).

Under very high loads on the system, nearly 20% of the CPU time being spent in merely handling TLB/TSB misses, than doing some useful work. With the advent of multiple page size support for data, this wastage was reduced to 10% by using 4M pages on Solaris 9 & 10. Still there is more potential for reducing the wastage of CPU cycles, by reducing iTLB miss rate. And the good news is that the large page support for executables, libraries, and files (in short: MPSS for instructions) has been introduced in Solaris Express Nevada build 15 (06/2005).

Acknowledgements:
Horace Lee, Alexander Kolbasov & Chris Gerhard

_________________
Technorati tags: | | | |


Sunday, July 17, 2005
 
My Favorite Music - A Retro V

Last week I have had a retrospective series of blog posts on western music. However due to my penchant for telugu music, I couldn't resist posting some of my favorite songs from telugu movies, released in 2004. My top 25 picks are as follows:
  1. Seenu Vasanthi Laxmi - Vaana Vaana
  2. Anand - Yamuna Theeram
  3. 7/G Brundhavan Colony - Thalachi Thalachi Choosa
  4. Nenunnanu - Nee Kosam
  5. Gharshana - Cheliya Cheliyaa
  6. Varsham - Nuvvosthanante
  7. Seenu Vasanthi Laxmi - Godari Navvindhi
  8. Naa Autograph - Gurthukosthunnayi
  9. Aarya - Feel My Love
  10. Anand - Charumathi I Love You
  11. 7/G Brundhavan Colony - January Maasam
  12. Gudumba Shankar - Chitti Nadumune
  13. Swarabhishekam - Anujudai Lakshmanundu
  14. Sri Anjaneyam - Poola Ghuma Ghuma
  15. 143 and I Miss You - Raa Raagamai
  16. Nenunnanu - Nenunnanani
  17. Anand - Vache Vache
  18. Naani - Chakkera
  19. Venky - Andhala Chukkala Lady
  20. Aarya - You Rock My World
  21. Nenunnanu - Ee Swasalo
  22. 143 and I Miss You - Kalalona
  23. 7/G Brundhavan Colony - Kannula Baasalu Theliyavule
  24. Naa Autograph - Manmadhudhe
  25. Naani - Pedhave Palikina



Friday, July 15, 2005
 
Solaris: Initialization & Termination routines in a dynamic object

Some times it is desirable to have some work to be done during the loading and unloading of a dynamic library. For example it is convenient to initialize some global variables, or to open some files, or to allocate a chunk of memory etc., when the library loads up, instead of waiting for the caller to make reference to any of the interface symbols of the library. As a result of separating initialization, finalization code, we may end up with some what clean code. Run-time linker processes the initialization sections (if any) found in the application, and the dependencies, before transferring the control to the application.

On Solaris, these entry (initialization), exit (finilization) points can be encapsulated in either an array of function pointers or a single code block. With the help of link-editor (ld), we can write code to fire up during pre-loading, loading, and unloading of a shared object. Link-editor creates sections .preinit_array, .init_array, .init, .initfirst, .fini_array and .fini in the ELF object being built, based on the linker options and the compiler pragmas. Let's have a brief look at those sections in the following paragraphs:

  1. .preinit_array section

    A dynamic executable may provide pre-initialization functions, to get executed once the run-time linker has built the process image and performed the necessary relocations. As the name suggests, pre-initialization functions get executed before any other initialization functions. Dynamic libraries are not permitted to have pre-initialization functions.

    The -z preinitarray=function,[function,..] flag of link-editor lets us specify the names of the pre-initialization function(s). During linking, it will be encoded into .preinit_array section of the dynamic object

    The run-time linker (ld.so.1) constructs a dependency ordered list of initialization routines from the dependencies that have been loaded, and executes them in the reverse topological order of the dependencies.

  2. .init_array section

    The -z initarray=function,[function,..] flag of link-editor lets us specify the names of the initialization function(s). During linking, it will be encoded into .init_array section of the dynamic object. Dynamic executables and libraries are permittied to have initialization functions.

  3. .initfirst section

    The link-editor has another flag -z initfirst for fine granularity of control over the initialization routines. When the object is built with this flag, the run-time initialization occurs before the run-time initialization of any other objects brought into the process at the same time. In addition, the object run-time finalization will occur after the run-time finalization of any other objects removed from the process at the same time. Dynamic executables are not permitted to build with this linker flag.

  4. .init and .fini sections

    The .init and .fini provide a run-time initialization and termination code block, respectively. However, the compiler drivers typically supply .init and .fini sections with files they add to the beginning and end of your input file list. These files have the effect of encapsulating the .init and .fini code into individual functions. These functions are identified by the reserved symbol names _init and _fini respectively.

    Sun Studio C/C++ compilers provide the pragmas init and fini , for the developers to specify the initialization and termination code blocks in terms of functions. These pragmas must appear somewhere before the definition of the init/fini functions.

    Syntax:
    #pragma init (function[,function..])
    #pragma fini (function[,function..])
  5. .fini_array section

    As with initialization routines, we can also specify the finalization code to be executed, with the help of link-editor's -z initarray=function[,function..]

    Finalization code will be called when a program terminates under program control or when the containing shared object is removed from memory. As with initialization functions, finalization functions are executed in the order processed by the link editor. In other words, the dynamic executable's .fini section is called first, before its dependencies termination sections are executed
Note that all the above mentioned initialization, termination functions must not accept any arguments, and must not return any values.

Let's put together the things we learned so far in an example.

Example 1. Creating init, fini sections with Sun Studio pragmas
% cat fileops.h
FILE *fd;

void fileopen();
void fileclose();
void filewrite(FILE *, char *);

% cat fileops.c
#include <stdio.h>
#include "fileops.h"

#pragma init (fileopen)
#pragma fini (fileclose)


void fileopen() {
printf("\nInside fileopen() ..");
fd = fopen("/tmp/dummy", "a");
}

void fileclose() {
printf("\nInside fileclose() ..");
fclose(fd);
}

void filewrite(FILE *fd, char *string) {
fprintf(fd, string);
}

% cc -G -o libfileops.so fileops.c

% cat filedriver.c
#include <stdio.h>
#include "fileops.h"

int main() {
filewrite(fd, (char *)"Hey!");
return (0);
}

% cc -o driver -lfileops filedriver.c

%ls -l /tmp/dummy
/tmp/dummy: No such file or directory

% ./driver
Inside fileopen() ..
Inside fileclose() ..

% ls -l /tmp/dummy
-rw-rw-r-- 1 build engr 4 Jul 15 18:17 /tmp/dummy

% cat /tmp/dummy
Hey!

% elfdump libfileops.so
... some parts of the dump were elided ...

Relocation Section: .rela.init
type offset addend section with respect to
R_SPARC_WDISP30 0x44c 0 .rela.init fileopen

Relocation Section: .rela.fini
type offset addend section with respect to
R_SPARC_WDISP30 0x460 0 .rela.fini fileclose

... some parts of the dump were elided ...
2. Creating initialization, termination sections with linker options

Let's remove the pragma statements from fileops.c and rebuild the libfileops library, with -zinitarray=fileopen -zfiniarray=fileclose linker flags

% cat fileops.c
#include <stdio.h>
#include "fileops.h"

void fileopen() {
printf("\nInside fileopen() ..");
fd = fopen("/tmp/dummy", "a");
}

void fileclose() {
printf("\nInside fileclose() ..");
fclose(fd);
}

void filewrite(FILE *fd, char *string) {
fprintf(fd, string);
}

% cc -G -o libfileops.so -zinitarray=fileopen -zfiniarray=fileclose fileops.c

% elfdump libfileops.so
... some parts of the dump were elided ...

Relocation Section: .rela.initarray
type offset addend section with respect to
R_SPARC_32 0x10544 0 .rela.initarra fileopen

Relocation Section: .rela.finiarray
type offset addend section with respect to
R_SPARC_32 0x10548 0 .rela.finiarra fileclose

... some parts of the dump were elided ...

% ./driver
Inside fileopen() ..
Inside fileclose() ..
Finally, we can observe the sequence of initialization, termination calls, by setting the LD_DEBUG environment variable of run-time linker to basic.

% setenv LD_DEBUG basic
% ./driver
29503:
29503: configuration file=/var/ld/ld.config: unable to process file
29503:
29503: calling .init (from sorted order): /usr/lib/libc.so.1
29503:
29503: calling .init (done): /usr/lib/libc.so.1
29503:
29503: calling .init (from sorted order): ./libfileops.so
29503:
Inside fileopen() ..29503:
29503: calling .init (done): ./libfileops.so
29503:
29503: transferring control: ./driver
29503:
29503: calling .fini: ./libfileops.so
29503:
Inside fileclose() ..29503:
29503: calling .fini: /usr/lib/libc.so.1
29503:
Reference:
Solaris Linker and Libraries Guide

[09/15/2005: Adam Levanthal posted some interesting content about _init, in his blog with title The mysteries of _init]
_____________________
Technorati tags: | | |


Thursday, July 14, 2005
 
Sun Studio C/C++: Profile Feedback Optimization (PFO)

Profile Feedback
--------------------

In general, compilers do optmizations based on the compiler flags supplied during the compilation, and the other information that it thinks appropriate for an optimization though the user hasn't asked for it specifically eg., inlining certain routines, even if they are not accompanied by inline key word, loop unrolling etc., However since it can't predict the run-time behavior of the application, it can't do certain optimizations like block reordering, register allocation etc., during compile time. So, it is upto the developer for careful laying out of the instructions for better performance of the application. As developers may not be the end users in most of the cases, it is a cumbersome exercise for the developers to get the run-time data, to identify the hot code (where the application spends most of the time), and to rewrite the some code to improve the performance.

The developer can be relieved from such tasks by assisting optimizers with the program profile ie., the run-time behavior of a program: expected probabilities of branches and frequencies of executions of given program blocks.

Sun Studio C/C++ compilers support profile feedback technique to automate tasks mentioned above. Profile feedback is a mechanism by which a user can gather information about the run-time behavior of the application, and allow the compiler to use this information to optimize the application further.

Typical steps involved in using profile feedback mechanism:
  1. Compilation for profile data collection

    • Build the application with -xprofile=collect option. In this step, the source code is instrumented to gather data; counters are inserted into the source code to facilitate determining the number of times the code was executed. This data will be used to build a control flow graph.

    • -xprofile=collect may suppress optimizations that modify the structure of the control flow graph, in order to preserve the accuracy of the description used to generate control flow instrumentation

    • You can also specify the name of the program that is being analyzed, during compilation with -xprofile=collect flag. The flag will be -xprofile=collect:name. The name is optional and, if not specified, is assumed to be a.out. When compiling different object files with the -xprofile=collect:<name> option, <name> must be the same for all the object files used to produce the final program. If they are not consistent, then the result will be dependent on the final link order of the program

    • Note that profile feedback works only at optimization levels -xO2 and above

    • eg., (trivial C code, just for example)
      % cat bubblesort.c
      #include <stdio.h>
      #include <stdlib.h>

      #define COUNT 1000

      void swap (int *Array, int i, int j) {
      int temp;
      temp = Array[i];
      Array[i] = Array[j];
      Array[j] = temp;
      }

      void bubblesort(int *Array) {
      int i, j;

      for (i = 0; i < COUNT; ++i) {
      for (j = (i + 1); j < COUNT; ++j) {
      if (Array[i] > Array[j]) {
      swap (Array, i, j);
      }
      }
      }
      }

      int main() {
      int i, *Array;

      Array = (int *) malloc (sizeof (int) * COUNT);

      for (i = COUNT; i > 0; --i)
      Array[COUNT - i] = i;

      bubblesort(Array);

      for (i = 0; i < COUNT; ++i)
      printf("\nArray[%d] = %d", i, Array[i]);

      return (0);
      }

      % cc -o bubblesort -xO4 -xprofile=collect bubblesort.c

  2. Data collection run

    • Run the application built in (1) with one or more representative workloads. If the workload is representative, then the branches that are normally taken in the training workload, are normally taken in the real workload

    • In this phase, the compiler instrumented code collects the branch frequencies for all branches & the counts for all basic blocks. This will create a directory named after the program with a .profile appended to it. feedbin file under program.profile directory, holds the execution frequency for later use by the optimizer with -xprofile=use

    • The data collection is additive, which means that if you keep running the same executable (even with different inputs), the data on the latest run will get added to the data about previous runs. Therefore, the data will be an aggregate of all your runs with the profiled executable.

    • If you have profile data from earlier runs, and if you recompile the program with -xprofile=collect and rerun it, the code that writes out the profile data will detect that this is a different program and overwrite the old data

    • If you only run your program with a single input file, then you can just run that input file and you will have collected good data. However, if you are creating a general purpose application which can have a variety of inputs which cause execution of different parts of your program, you should choose different kinds of sample input so that the samples are representative of all the inputs that your program will receive. Using only certain kinds of input will bias the compiler in favoring the executed parts of the program more than the unexecuted parts.

    • By default, the program.profile directory will be created in the same directory, from where the executable is being run. If you wish to change the directory in which the profile data goes, you can use the SUN_PROFDATA_DIR environment variable.

    • eg.,
      % ./bubblesort
      Array[0] = 1
      Array[1] = 2
      ..
      ..
      Array[9998] = 9999
      Array[9999] = 10000

      % ls -dF *.profile
      bubblesort.profile/

      %ls -dF /tmp/*.profile
      No match

      % setenv SUN_PROFDATA_DIR /tmp

      % ./bubblesort
      Array[0] = 1
      Array[1] = 2
      ..
      ..

      % ls -dF /tmp/*.profile
      /tmp/bubblesort.profile/

  3. Rebuild the application with feedback

    • Once we gather the feedback data from the application, we can give this data back to the compiler, so it can do a better job optimizing it. To do this, we need to use the compiler flag: -xprofile=use:<profile data directory>. Make sure to supply the profile data directory. If you only use -xprofile=use, then the compiler does not know what the profile data is called, and therefore will assume that the data is called a.out.profile. Note that it is not necessary to specify .profile, when supplying the profile data directory name to -xprofile=use. Hence from the previous example, it is valid to specify either -xprofile=use:bubblesort.profile or -xprofile=use:bubblesort on compile line

    • Except for the -xprofile option which changes from -xprofile=collect to -xprofile=use, the source files and other compiler options must be exactly the same as those used for the compilation that created the compiled program which in turn generated the feedback file. The same version of the compiler must be used for both the collect build and the use build as well. If compiled with -xprofile=collect:name, the same program name name must appear in the optimizing compilation: -xprofile=use:name

    • -xprofile=use incorporates information collected by running binaries compiled using -xprofile=collect. The information (execution counts associated with basic blocks and control flow edges) is read from a feedback file and is attached to the compiler intermediate representation at the beginning of optimization. Many compiler optimizations subsequently both use the execution counts and update them when the control flow graph is modified as part of an optimizing transformation

    • Based on the profile feedback data, the compiler can do optimisations of the following types:

      1. Code layout
        • Place code in a way that the frequently executed code in a routine is grouped together
          eg., Block chaining, block ordering, block splitting, register allocation
        • Place code to improve instruction cache (I$) utilization, instruction prefetching etc.,
      2. Loop unrolling, loop unswitching
      3. Inline routines that are frequently called, to both remove the cost of calling the routine, and potentially to enable further optimisation of the inlined code

    • eg.,
      % cc -o bubblesort -xO4 -xprofile=use:bubblesort.profile bubblesort.c
      % ./bubblesort
      Array[0] = 1
      Array[1] = 2
      ..
      ..

    • With the following cg (Code Generator) options, the compiler dumps the execution count of each basic block, in an assembly listing

      • % {f90,CC} -xprofile=use:<feedback dir> -Qoption cg -assembly,-Qcg-V
        % cc -xprofile=use:<feedback dir> -Wc,-assembly,-Qcg-V

        The -assembly option will generate a .s file with the same basename and dirname as the object file (e.g., bubblesort.o will be accompanied by bubblesort.s in the same directory). The -Qcg-V option adds more information as assembler comments to the generated .s file. If -xprofile=use has been specified, this information includes execution counts derived from the <profile data directory>
      • eg.,
        % cc -xprofile=use:bubblesort -Wc,-assembly,-Qcg-V -xO4 bubblesort.c
        ...
        ...
        ! 13 !void bubblesort(int *Array) {
        ! 14 ! int i, j;
        ! 16 ! for (i = 0; i < COUNT; ++i) {

        !
        ! SUBROUTINE bubblesort
        !
        ! OFFSET SOURCE LINE LABEL INSTRUCTION (ISSUE TIME) (COMPLETION TIME)

        .global bubblesort


        bubblesort: /* frequency 1.0 confidence 1.0 */
        /* 000000 16 ( 0 1) */ sethi %hi(0x2400),%o5 ! const ! ssar:9216
        /* 0x0004 ( 0 1) */ or %g0,0,%o2
        /* 0x0008 ( 1 2) */ add %o5,783,%o3 ! const ! ssar:9999 ! urw: 32
        /* 0x000c ( 1 2) */ add %o5,784,%o1 ! const ! ssar:10000 ! urw: 32

        ! 17 ! for (j = (i + 1); j < COUNT; ++j) {

        /* 0x0010 17 ( 2 3) */ or %g0,1,%o5

        ! Registers live out of bubblesort:
        ! o0 o1 o2 o3 o5 sp o7 fp gsr
        !

        ! predecessor blocks : bubblesort .L900000205

        .L900000206: /* frequency 10000.0 confidence 1.0 */
        /* 0x0014 17 ( 0 1) */ cmp %o5,%o1 ! urw: 32
        /* 0x0018 ( 0 1) */ bge,pn %icc,.L77000113 ! tprob=0.00 ! urw: 32
        /* 0x001c ( 0 1) */ add %o0,4,%g3 ! hoisted ! urw: 32

        ! Registers live out of .L900000206:
        ! g3 o0 o1 o2 o3 o5 sp o7 fp gsr
        !
        ...
        ...

  4. Measure the application performance, and compare with baseline run
Notes:
  1. In general, any profile feedback improves performance

  2. Designing good training runs is a complex issue and nearly impossible for some programs. So care must be taken to run the application using a typical data set or several typical data sets. It is important to use data that is representative of the data that will be used by your application in a real-world scenario

  3. Because the process requires compiling the entire application twice, it is intended to be used only after other debugging and tuning is finished, as one of the last steps before putting the application into production

  4. The profile data collection is synchronous. The instrumented code dumps the profile data during the shutdown of the application process. Since it is not asynchronous, multi-threaded applications may experience some (profile) data loss due to the race condition between multiple threads. There is some work in progress to get asynchronous profile data collection, in the presence of multiple threads and without the need to shutting down the process. Hopefully this feature will be available in Sun Studio 11

Patch releases

If the application is very big, and if only few modules were changed, profile only those binaries (executables or shared libraries) that are rebuilt for the patch. However, in order to collect a meaningful profile, there needs to be -xprofile=collect versions of all object files comprising a rebuilt executable or shared library. For example, if the executable mtserver is built with object files smiwork.o and smiutil.o, then rebuild those object files with -xprofile=collect, along with mtserver. Then simply replace the old binaries of the collect build with the new patched binaries. And then re-run the training run, collect the feedback data for the entire build; and finally recompile all object files in the binary (executable or library) with -xprofile=use

In other words:
Let's say the shared library libmodel.so, built from objects model.o and buscomp.o, has to be patched. Under PFO, this will be done as follows:
  1. Compile model, buscomp objects with -xprofile=collect

  2. Build libmodel.so with -xprofile=collect

  3. Simply replace the libmodel.so of the previous complete collect build, with the (latest) patched libmodel.so

  4. Collect profile data for the entire application

  5. Compile model, buscomp objects again with -xprofile=use and with the feedback data from step 4 (see above)

  6. Re-build libmodel.so with -xprofile=use and with the feedback data from step 4 (see above)

  7. Release libmodel.so as a patch

Other optimizations that would work well with profile feedback:
  1. Profile feedback works best with crossfile optimisation (controlled by the flag -xipo) since this allows the compiler to look at potentially optimisations between all source files

  2. Mapfiles work at the routine level, and profile feedback works within routines; it would seem to be a simple progression to do both optimisations at the same time. This is possible with link-time optimisation (controlled by the flag -xlinkopt). This is also called post-optimisation

The whole discussion on profile feedback optimization can be summarized in the following 3 steps:

  1. Build the application with the flags -xprofile=collect -xipo
    % cc -xO2 -xprofile=collect:application.profile -xipo -o application application.c

  2. Run the application with one or more representative workloads
    % ./application args

  3. Rebuild the application with -xprofile=use -xipo -xlinkopt
    % cc -xO2 -xprofile=use:application.profile -xipo -xlinkopt -o application application.c

Suggested Reading:
  1. Sun Studio C/C++ compiler options
  2. Improving Code Layout Can Improve Application Performance by Darryl Gove
Acknowledgements:
Chris Aoki (Sun Microsystems)
_____________________
Technorati tags: | | |


Saturday, July 09, 2005
 
My Favorite Music - A Retro IV

My Favorite Music - A Retro III
My Favorite Music - A Retro II
My Favorite Music - A Retro I

Oasis - Wonderwall
Oasis - Don't Look Back in Anger
Oasis - Morning Glory
Oasis - Champagne Supernova
Hoobastank - The Reason
Pearl Jam - Even Flow
Pearl Jam - Jeremy
Pearl Jam - Once
Metallica - Master of Puppets
Rage Against The Machine - Renegades of Funk
Jennifer Lopez - Waiting For Tonight
Depeche Mode - Barrel of a Gun
Depeche Mode - Love Thieves
Depeche Mode - Home
Depeche Mode - It's No Good
Depeche Mode - Uselink
Depeche Mode - Useless
Depeche Mode - Sister of Night
Depeche Mode - Insight
Depeche Mode - World in My Eyes
Depeche Mode - Sweetest Perfection
Depeche Mode - Personal Jesus
Depeche Mode - Halo
Depeche Mode - Waiting For The Night
Depeche Mode - Enjoy The Silence
Depeche Mode - Policy Of Truth
Depeche Mode - Blue Dress
Depeche Mode - Clean
Nirvana - Smells Like Teen Spirit
Nirvana - In Bloom
Nirvana - Come As You Are
Lionel Richie - Just For You
Meat Beat Manifesto - Prime Audio Soup
Meat Beat Manifesto - Book Of Shadows
Meat Beat Manifesto - Oblivion, Humans
Meat Beat Manifesto - Lets Have Fun
Meat Beat Manifesto - Acid Again
Meat Beat Manifesto - Tweek, The
P.O.D - Youth of the Nation
John Mayer - Daughters
John Mayer - Your Body is a Wonderland
John Couger Mellencamp - Jack & Diane
Bonnie Raitt - Nick of Time
Michael Bolton - How Am I
          Supposed to Live Without You
Don Henley - The End of the Innocence
Bobby Brown - Every Little Step
Soul II Soul - Back to Life
Soul II Soul - African Dance
Tracy Chapman - Fast Car
Aerosmith - Just Push Play
Bowling For Soup - 1985
Prince - 1999
Natalie Imbruglia - Torn
UB40 - Baby I Love Your Way
When In Rome - Promise
Abba - Dancing Queen
Pat Benetar - Heart of Glass
Pat Benetar - Hit Me with Best Shot
Madonna - Like a Prayer
Pat Benetar - Love is a Battle Field
MatchBox 20 - Unwell
Josh Groban - You Raise Me Up
Gary Newman - Cars
Justin Timberlake - Cry Me a River
Prodigy - Get Up, Get Off
Prodigy - Wake Up Call
Kid Rock/Sheryl Crow - The Picture
Los Lonely Boys - More Than Love
Five for Fighting - Superman
Aerosmith - Crazy
Sheryl Crow - The First Cut Is The Deepest
Santana - Oye como va
No Doubt - Don't Speak
Traing - Calling all Angels
Dido - White Flag
Maroon 5 - She will be Loved
The Temptations - Ain't No
          Mountain High Enough

Maroom 5 - This Love
Ashlee Simpson - Pieces of Me
Haddaway - What Is Love?
Luther Vandross - To Dance With My
          Father Again
Dido - Stoned
Dido - Thank You
Linkin Park - In the End
Limp Bizkit - Rollin'
No Doubt - Underneath
Pink - Let's Get the Party Started
Outkast - Hey Ya
Nelly - Hot In Here
Gorillaz - Clint Eastwood
Enrique Iglesias - Hero
Creed - My Sacrifice
Norah Jones - Don't Know Why
Goo Goo Dolls - Give a Little Bit
Lenny Kravitz - Again
Lenny Kravitz - Dig In
The Crystal Method - Trip Like I Do
Shakira - Whenever Whereever
Fatboy Slim - I Left My Wallet in El Segundo
Ryan Cabrera - True
Janet Jackson - All For You
__________________
Technorati tag:


 
My Favorite Music - A Retro III

My Favorite Music - A Retro I
My Favorite Music - A Retro II

Moby - Honey
Moby - Porcelain
Moby/Gwen Stefani - South Side
Moby - Bodyrock
Moby - Machete
Moby - Run On
Moby - If Things Were Perfect
Five for Fighting - 100 years
Gavin DeGraw - I Don't Want To Be
Cold Play - Speed of Sound
Pat Benatar - We Belong
Sugar Ray - Every Morning
Jessica Simpson - These Boots
          are Made for Walkin'
Aerosmith - Dude is Like a Lady
Missy Elliott - Lose Control
The Pretenders - Brass in Pocket
Kelly Clarkson - Breakaway
Sade - Smooth Operator
Aerosmith - I Don't Want to Miss a Thing
R. Kelly - I Believe I can Fly
Sheryl Crow - Favorite Mistake
Green Day - Broken Dreams of Boulevard
Rob Thomas - Lonely No More
Beyonce - Crazy in Love
Black Eyed Peas - Let's Get Started
John Cougar Mellemcamp - Hurts So Good
Kool & The Gang - Celebration
Backstreet Boys - Incomplete
Roxette - Must Have Been Love
Akon - Lonely
Heart - These Dreams
UB40 - Here I Am, Come and Take Me
The Fugees - Killing Me Softly
Howie Day - Collide
Anna Nalick - Breathe (2 AM)
Dave Mathews Band - American Baby
Ryan Cabrera - On the Way Down
Amerie - 1 thing
Yanni - Santorini
Enigma - Return to Innocence
Dave Mathews Band - Satellite
Poe - Angry Johnny
Control Machete - Si Senor (spanish)
Dave Mathews Band - Save Me
Seal - Love's Divine
Los Lonely Boys - Heaven
Switchfoot - Meant to Live
Seal - Get it Together
Prodigy - Spitfire
Evanescence - Everybody's Fool
Evanescence - My Immortal
John Cougar Mellencamp - Walk Tall
Queen - I Want to Break Free
Avril Lavigne - I'm With You
Marilyn Manson - Saint
311 - All Mixed Up
Evanescence - Bring Me To Life
Alanis Morisette - All I Really Want
Alanis Morisette - Hand in My Pocket
Alanis Morisette - You Oughta Know
Alanis Morisette - Ironic
Alanis Morisette - Not the Doctor
Godsmack - Voodoo
Tricky - Ponderosa
Roy Orbison - Pretty Woman
Overseer - Horn Dog
Bonnie Raitt - Let's Give Them
          Something to Talk About
Nelly Furtado - I'm like a Bird
Nelly Furtado - Powerless (Say What You Want)
Juno Reactor - Asatoma Sadgamaya
Christina Aguilera - Beautiful
Chemical Brothers - Setting Sun
Nine Inch Nails - Perfect Drug
The Smashing Pumpkins - Eye
Lou Reed - This Magic Moment
Machines Of Loving Grace - Golgotha
          Tenement Blues

Nine Inch Nails - Dead Souls
Rage Against The Machine - Darkness
Violent Femmes - Color Me Once
All Saints - Pure Shores
Michael Jackson - They Don't Care About Us
Michael Jackson - Stranger in Moscow
Michael Jackson - Earth Song
Michael Jackson - You Are Not Alone
Michael Jackson - History
Michael Jackson - Morphine
Michael Jackson - Superfly Sister
__________________
Technorati tag:


Friday, July 08, 2005
 
My Favorite Music - A Retro II

My Favorite Music - A Retro I

O-Town - All Or Nothing
Daniel Bedingfield - Gotta Get Thru This
Prodigy - Baby's Got a Temper
Sting - The Soul Cages
Tool - Schism
Beck - Where's At
Puddle of Mudd - She Hates Me
Michael Jackson - Jam
R.E.M - Losing My Religion
Metallica - One
Madonna - Don't Tell Me
La Bouche - Sweet Dreams
Billy Joel - We Didn't Start The Fire
James Brown - Sex Machine
Deftones - My Own Summer
Rob Dougan - Clubbed to Death
Sting/The Police - Every Breath You Take
Rage Against the Machine - Wake up
Rage Against the Machine - How Could I Just Kill A Man
Propellerheads - Spybreak
Hive - Ultrasonic Sound
Monster Magnet - Look to Your Orb for the Warning
Michael Jackson - Black or White
Ministry - Bad Blood
Venga Boys - Going To Ibiza
Aaliyah - Try Again
Rage Against The Machine - Killing In The Name
Lunatic Calm - Leave You Far Behind
Limp Bizkit - Take A Look Around
Len - Steal My Sunshine
Berlin - Take My Breath Away
Bon Jovi - It's My Life
No Doubt - It's My Life
Incubus - Stellar
Offspring - Original Prankster
Madonna - Beautiful Stranger
Bryan Adams - Everything I Do
Vanilla Ice - Ice Ice Baby
Star Wars - Theme (Moby)
Mission Impossible - Theme (Moby)
James Bond - Theme (Moby)
Train - Drops of Jupiter
Train - Calling all Angels
Tears for Fears - Everybody Wants to Rule the World
Michael Jackson - Why You Wanna Trip on Me
Michael Jackson - In the Closet
Michael Jackson - Remember the Time
Michael Jackson - Heal the World
Michael Jackson - Who is It
Michael Jackson - Give in to Me
Michael Jackson - Dangerous
Michael Jackson - Way You Make Me Feel
Michael Jackson - Bad
Michael Jackson - Speed Demon
Michael Jackson - Liberian Girl
Michael Jackson - Just Good Friends
Michael Jackson - Another Part of Me
Michael Jackson - Man in the Mirror
Michael Jackson - I Just Can't Stop Loving You
Michael Jackson - Dirty Diana
Michael Jackson - Smooth Criminal
Michael Jackson - Beat It
Michael Jackson - Billie Jean
Michael Jackson - Thriller
Michael Jackson - Wanna Be Startin' Somethin'
Michael Jackson - Don't Stop 'Til You Get Enough
Michael Jackson - She's Out of My Life
Tears for Fears - Woman in Chains
Rod Stewart - Downtown Train
Sugar Ray - Fly
Garbage - Push It
Tears for Fears - Sowing The Seeds Of Love
Smash Mouth - Walkin' On The Sun
Michael Jackson - Ghosts
Third Eye Blind - Never Let You Go
U2 - Beautiful Day
Natalie Cole - Unforgettable
Michael Jackson - Scream
Michael Bolton - When A Man Loves A Woman
Christina Aguilera - Genie in a Bottle
Eagles - Hotel California
Jay-Z - Big Pimpin'
Prodigy - Mindfields
Phil Collins - Another Day in Paradise
Seal - Kiss from a Rose
TLC - Waterfalls
Take That - Back For Good
Rob Zombie - Dragula
Fatboy Slim - Bird Of Pray
Cranberries - Zombie
George Michael - Father Figure
Beck - Deadweight
Kid Rock - I Am the Bullgod
Pink Floyd - Learning To Fly
Prince - Diamonds And Pearls
Prince - Thieves In The Temple
Beck - High 5; Rock the Catskills
Smash Mouth - I'm A Believer
Korn - Adidas
Bush - Cold Contagious
Bob Marley - Buffalo Soldier
Sneaker Pimps - Becoming X
Simple Minds - Don't You Forget About Me
Crowded House - Don't Dream its over
__________________
Technorati tag:


 
My Favorite Music - A Retro I

Though I listen to a lot of music every day on TV/Radio/Music system, I don't even know what kinda music pleases me most. I do know, for sure, that it is either innovative, rhythmic music or music with cool lyrics. I have been trying to recollect the songs that I liked most, so I can put together a list, before they all slip out of my mind. And here comes a long list, with an 8 hr effort.
Mono - Life in Mono
Robert Palmer - Addicted to Love
Limp Bizkit - My Way
Matchbox 20 - Bent
Metallica - I Disappear
Queen - We Will Rock You
Sting - Desert Rose
Chumbawumba - Tubthumping
Limp Bizkit - Boiler
Matchbox 20 - If you're gone
Prodigy - Smack my bitchup
Enrique Iglesias - Rhythm Divine
Limp Bizkit - Nookie
Prodigy - Fire starter
Aerosmith - Jaded
Bon Jovi - Blaze of Glory
Baha Men - Who Let the Dogs Out
Metallica - Enter sandman
Coolio - Gangsta's Paradise
Primitive Radio Gods - Standing
          Outside A Broken Phone Booth
Nine Inch Nails - Terrible Lie
Godsmack - Whatever
The Chemical Brothers - Block Rockin' Beats
Nine Inch Nails - We're In This Together
Prodigy - Breathe
Tricky - Overcome
Nine Inch Nails - Burn
Marilyn Manson - The Beautiful People
Gravity Kills - Guilty
112 - Dance With Me
Smash Pumpkins - 1979
Nelly - Country Grammar
Shaggy - Angel
Cake - The Distance
Michael Jackson - Blood on the Dance Floor
Michael Jackson - 2000 Watts
Rage Against the Machine - Guerrilla Radio
Rob Zombie - Living Dead Girl
Michael Jackson - Break of Dawn
Nickleback - How You Remind Me
Rammstein - Ich Will
Disturbed - Down With The Sickness
Lenny Kravitz - Fly Away
Massive Attack - Inertia creeps
Telepopmusik - Breathe
Gus Gus - Ladyshave
Smash Mouth - I'm a Believer
Signs - Theme
Nelly - E.I.
Austin Powers - Theme
Michael Jackson - Leave Me Alone
Moby - Extreme Ways
Republica - Ready To Go
Geggy Tah - Whoever You Are
Sublime - What I Got
Sneaker Pimps - Six Underground
Beck - Loser
Beck - The New Pollution
Cake - Never There
Crowded House - Pineapple Head
Crowded House - Don't Dream, It's Over
Tool - Stinkfist
Simple Minds - Alive & Kicking
Simple Minds - Let there be Love


Crowded House - World Where You Live
Simple Minds - See The Lights
Crowded House - It's Only Natural
Terminator - Theme
Milli Vanilli - Blame It On The Rain
Van Halen - Top of the World
Beck - Devils Haircut
Bonnie Raitt - Good Man, Good Woman
Avril Lavigne - Complicated
Dirty Vegas - Days Go By
INXS - Suicide Blonde
Lifehouse - Hanging By A Moment
Luther Vandross - Power of Love
Michael Jackson - Earth Song Remix
Limp Bizkit - My Generation
Lunatic Calm - Basement Level
Michael Jackson - Threatened
Rage Against The Machine -
          The Battle Of Los Angeles album
Uncle Kracker - Follow Me
Uncle Kracker - Drift Away
Wise Guys - Start the Commotion
Mary J. Blige - Family Affair
Lou Bega - Mambo #5
Outkast - Miss Jackson
Backstreet Boys - I Promise You
Michael Jackson - Unbreakable
James Bond 007 - Theme
Bee Gees - Alone
The Cardigans - Lovefool
No Doubt - Hey Baby
Wham! - Wake Me Up Before You Go-Go
Los Del Rio - Macarena
Lunatic Calm - Roll the Dice
Ricky Martin - Livin' La Vida Loca
Eminem - My Name Is
Beastie Boys - Sabotage
Tears for Fears - Shout
Third Eye Blind - Semi-charmed Life
Kenny Rogers - It's A Beautiful Life
Michael Buble - Sway
Santana/MatchBox 20 - Smooth
Prince - Purple Rain
Beck - Jack-Ass
Michael Bolton - Georgia On My Mind
Bush - Swallowed
Collective Soul - December
MC Hammer - U Can't Touch This
Missy Elliott - One Minute Man
Monica - Don't Take It Personal
Offspring - Pretty Fly For A White Guy
Kylie Minogue - Can't Get You Out Of My Head
Prodigy - Voodoo People
The Rembrandts - I'll Be There For You
Staind - It's Been Awhile
Sugar Ray - When Its Over
Vanessa Carlton - A Thousand Miles
Butthole Surfers - Pepper
Bush - Machinehead
Nine Inch Nails - Closer
Shaggy - It Wasn't Me
Shaggy - Boombastic
Ben Harper - Sexual Healing
Nine Inch Nails - Head Like a Hole
Prince - When Doves Cry
__________________
Technorati tag:


Wednesday, July 06, 2005
 
MPlayer: Extracting Audio from a DVD

Some times, for whatever reasons we may have to extract audio from a DVD. Such a task can be done very easily with MPlayer. The following command dumps the audio from the 1st chapter of the DVD to a WAV file:
% mplayer -vc dummy -vo null -ao pcm -aofile dummy.wav dvd://1 -dvd-device /cdrom
Where:
-vc dummy suggests using a dummy video codec, since we don't need video play back
-vo null suggests MPlayer to disable video play back
-ao pcm stands for raw PCM/WAVE file writer audio output
-aofile dummy.wav suggests dummy.wav to be the audio output file
dvd://1 tells mplayer to play the 1st chapter of the DVD, and
-dvd-device /cdrom points to the location of DVD drive

To learn more about mplayer options, have a look at the man page of mplayer
______________________
Technorati tag:



2004-2019 

This page is powered by Blogger. Isn't yours?