id
int32
482
1.4M
topic
class label
10 classes
question_title
stringlengths
10
113
question_content
stringlengths
0
4k
best_answer
stringlengths
2
4k
token_count
int64
1.03k
2.92k
text
stringlengths
1.35k
7.98k
label
stringclasses
10 values
128,279
4Computers & Internet
how can i authenticate mail whatever i am sending with the smtp server?
i am using the java code to send the mail.. but my problem is that how can i authenticate with the mail server?
If you use JavaMail api provided by Sun then you can get the latest api from Sun Downloads.\nJavaMail uses properties to load all configuration to the program.\nYou must specify:\n# The hostname or IP address of your SMTP server\n mail.smtp.host=smtp.duke.java.sun.com\n\n # You get lots of debugging information if\n # this is turned on. Comment this line to turn\n # it off.\n mail.debug=true\n\n # The To email address\n ttapr2004.to=duke@duke.java.sun.com\n\n # The From email address\n ttapr2004.from=duke@j2ee_fanclub.java.sun.com\n\nYou can easily connect without authenticate to the SMTP server. But you may experience that you cannot send email from your java program:\n1. Your ip may be blocked by firewall to access SMTP server\n2. Your SMTP server block senders address, to address and maybe your ip.\n3. Your SMTP server requires authentication\n\nIf your server requires authentication this igot it from internet\n--------------------------------------------\npublic class SendMailUsingAuthentication {\n\n private static final String SMTP_HOST_NAME = "myserver.smtphost.com";\n private static final String SMTP_AUTH_USER = "myusername";\n private static final String SMTP_AUTH_PWD = "mypwd";\n\n private static final String emailMsgTxt =\n "Online Order Confirmation Message. Also include the Tracking Number.";\n private static final String emailSubjectTxt = "Order Confirmation Subject";\n private static final String emailFromAddress = "sudhir@javacommerce.com";\n\n // Add List of Email address to who email needs to be sent to\n private static final String[] emailList = {\n "mark@yahoo.com", "robin@javacommerce.com"};\n\n public static void main(String args[]) throws Exception {\n SendMailUsingAuthentication smtpMailSender = new\n SendMailUsingAuthentication();\n smtpMailSender.postMail(emailList, emailSubjectTxt, emailMsgTxt,\n emailFromAddress);\n System.out.println("Sucessfully Sent mail to All Users");\n }\n\n public void postMail(String recipients[], String subject,\n String message, String from) throws MessagingException {\n boolean debug = false;\n\n //Set the host smtp address\n Properties props = new Properties();\n props.put("mail.smtp.host", SMTP_HOST_NAME);\n props.put("mail.smtp.auth", "true");\n\n Authenticator auth = new SMTPAuthenticator();\n Session session = Session.getDefaultInstance(props, auth);\n\n session.setDebug(debug);\n\n // create a message\n Message msg = new MimeMessage(session);\n\n // set the from and to address\n InternetAddress addressFrom = new InternetAddress(from);\n msg.setFrom(addressFrom);\n\n InternetAddress[] addressTo = new InternetAddress[recipients.length];\n for (int i = 0; i < recipients.length; i++) {\n addressTo[i] = new InternetAddress(recipients[i]);\n }\n msg.setRecipients(Message.RecipientType.TO, addressTo);\n\n // Setting the Subject and Content Type\n msg.setSubject(subject);\n msg.setContent(message, "text/plain");\n Transport.send(msg);\n }\n\n /**\n * SimpleAuthenticator is used to do simple authentication\n * when the SMTP server requires it.\n */\n private class SMTPAuthenticator\n extends javax.mail.Authenticator {\n\n public PasswordAuthentication getPasswordAuthentication() {\n String username = SMTP_AUTH_USER;\n String password = SMTP_AUTH_PWD;\n return new PasswordAuthentication(username, password);\n }\n }\n}\n--------------------------------------------
1,037
how can i authenticate mail whatever i am sending with the smtp server?i am using the java code to send the mail.. but my problem is that how can i authenticate with the mail server?If you use JavaMail api provided by Sun then you can get the latest api from Sun Downloads.\nJavaMail uses properties to load all configuration to the program.\nYou must specify:\n# The hostname or IP address of your SMTP server\n mail.smtp.host=smtp.duke.java.sun.com\n\n # You get lots of debugging information if\n # this is turned on. Comment this line to turn\n # it off.\n mail.debug=true\n\n # The To email address\n ttapr2004.to=duke@duke.java.sun.com\n\n # The From email address\n ttapr2004.from=duke@j2ee_fanclub.java.sun.com\n\nYou can easily connect without authenticate to the SMTP server. But you may experience that you cannot send email from your java program:\n1. Your ip may be blocked by firewall to access SMTP server\n2. Your SMTP server block senders address, to address and maybe your ip.\n3. Your SMTP server requires authentication\n\nIf your server requires authentication this igot it from internet\n--------------------------------------------\npublic class SendMailUsingAuthentication {\n\n private static final String SMTP_HOST_NAME = "myserver.smtphost.com";\n private static final String SMTP_AUTH_USER = "myusername";\n private static final String SMTP_AUTH_PWD = "mypwd";\n\n private static final String emailMsgTxt =\n "Online Order Confirmation Message. Also include the Tracking Number.";\n private static final String emailSubjectTxt = "Order Confirmation Subject";\n private static final String emailFromAddress = "sudhir@javacommerce.com";\n\n // Add List of Email address to who email needs to be sent to\n private static final String[] emailList = {\n "mark@yahoo.com", "robin@javacommerce.com"};\n\n public static void main(String args[]) throws Exception {\n SendMailUsingAuthentication smtpMailSender = new\n SendMailUsingAuthentication();\n smtpMailSender.postMail(emailList, emailSubjectTxt, emailMsgTxt,\n emailFromAddress);\n System.out.println("Sucessfully Sent mail to All Users");\n }\n\n public void postMail(String recipients[], String subject,\n String message, String from) throws MessagingException {\n boolean debug = false;\n\n //Set the host smtp address\n Properties props = new Properties();\n props.put("mail.smtp.host", SMTP_HOST_NAME);\n props.put("mail.smtp.auth", "true");\n\n Authenticator auth = new SMTPAuthenticator();\n Session session = Session.getDefaultInstance(props, auth);\n\n session.setDebug(debug);\n\n // create a message\n Message msg = new MimeMessage(session);\n\n // set the from and to address\n InternetAddress addressFrom = new InternetAddress(from);\n msg.setFrom(addressFrom);\n\n InternetAddress[] addressTo = new InternetAddress[recipients.length];\n for (int i = 0; i < recipients.length; i++) {\n addressTo[i] = new InternetAddress(recipients[i]);\n }\n msg.setRecipients(Message.RecipientType.TO, addressTo);\n\n // Setting the Subject and Content Type\n msg.setSubject(subject);\n msg.setContent(message, "text/plain");\n Transport.send(msg);\n }\n\n /**\n * SimpleAuthenticator is used to do simple authentication\n * when the SMTP server requires it.\n */\n private class SMTPAuthenticator\n extends javax.mail.Authenticator {\n\n public PasswordAuthentication getPasswordAuthentication() {\n String username = SMTP_AUTH_USER;\n String password = SMTP_AUTH_PWD;\n return new PasswordAuthentication(username, password);\n }\n }\n}\n--------------------------------------------
Computers & Internet
128,890
2Health
what is the msds for windex cleaner?
MATERIAL SAFETY DATA SHEET\nWindex Powerized Glass Cleaner (RTU)\n1. PRODUCT AND COMPANY IDENTIFICATION\nProduct name: Windex Powerized Glass Cleaner (RTU)\nMSDS #: 126011004\nProduct code: 126011004, 3694044, 3694052, 90122, 90135, 90139, 90940\nRecommended use: Cleaning product.\nEmergency telephone number: 1-800-851-7145 (Prosar); 1-651-917-6133 (Int'l Prosar); 01-800-710-3400 (México)\n2. HAZARDS IDENTIFICATION\nPrinciple routes of exposure: Eyes. Skin. Inhalation. Ingestion.\nSkin contact: None known.\nEye contact: None known.\nInhalation: None known.\nIngestion: None known.\n3. COMPOSITION/INFORMATION ON INGREDIENTS\nHAZARDOUS COMPONENTS\nIngredient CAS # Weight % LD50 Oral LD50 Dermal LC50 Inhalation\nIsopropyl alcohol 67-63-0 1 - 5% 5000 mg/kg (rat) 12800 mg/kg (rabbit) 16000 ppm/8H (rat)\n4. FIRST AID MEASURES\nEye contact: Rinse with plenty of water.\nSkin contact: Rinse with plenty of water.\nInhalation: No specific first aid measures are required.\nIngestion: No specific first aid measures are required.\nAggravated Medical Conditions: None known.\n5. FIRE-FIGHTING MEASURES\nSuitable extinguishing media: Dry chemical, water spray, foam, carbon dioxide.\nSpecific hazards: Although this product has a flash point below 200 Deg. F, it is an aqueous solution containing an alcohol\nand does not sustain combustion.\nUnusual hazards: None known\nSpecific methods: No special methods required\nSpecial protective equipment for firefighters: As in any fire, wear self-contained breathing apparatus pressure-demand, MSHA/NIOSH (approved or\nequivalent) and full protective gear\nExtinguishing media which must not be used for safety reasons: None.\nManufacturer, importer, supplier:\nConsumer Branded Professional Products, Div.\nJohnsonDiversey, Inc.\n8310 16th Street\nSturtevant, Wisconsin 53177-0902\nPhone: (888) 352-2249\nVersion Number: 3 Preparation date: 2005-05-20\nWindex Powerized Glass Cleaner (RTU) 1 of 3\nEMERGENCY OVERVIEW\nThe product contains no substances which at their given concentration, are considered to be hazardous to health\nHMIS NFPA Personal protective equipment\n0\nFire Hazard 1\nHealth 0\n1\nReactivity 0 0\n6. ACCIDENTAL RELEASE MEASURES\nPersonal precautions: Use personal protective equipment\nEnvironmental precautions\nand clean-up methods:\nAbsorb spill with inert material (e.g. dry sand or earth), then place in a chemical waste container.\n7. HANDLING AND STORAGE\nHandling:\nAvoid contact with eyes. COMBUSTIBLE LIQUID AND VAPOR . Keep away from open flames, hot surfaces and sources of ignition. Handle in\naccordance with good industrial hygiene and safety practice. FOR COMMERCIAL AND INDUSTRIAL USE ONLY.\nStorage:\nKeep tightly closed in a dry, cool and well-ventilated place. Protect from freezing . Keep out of the reach of children.\n8. EXPOSURE CONTROLS / PERSONAL PROTECTION\nEngineering measures to reduce exposure:\nNo special ventilation requirements. General room ventilation is adequate.\nPersonal Protective Equipment\nEye protection: No special requirements under normal use conditions\nHand protection: No special requirements under normal use conditions\nSkin and body protection: No special requirements under normal use conditions\nRespiratory protection: No special requirements under normal use conditions\nHygiene measures: Handle in accordance with good industrial hygiene and safety practice\nIngredient CAS # ACGIH OSHA Mexico\nIsopropyl alcohol 67-63-0 400 ppm (STEL)\n200 ppm (TWA)\n980 mg/m3 400 ppm 1225 mg/m3 (STEL)\n980 mg/m3 (TWA)\n9. PHYSICAL AND CHEMICAL PROPERTIES\nPartition coefficient (n-octanol/water): No information available\n10. STABILITY AND REACTIVITY\nStability: The product is stable\nPolymerization: Hazardous polymerisation does not occur\nHazardous decomposition products: None reasonably foreseeable\nConditions to avoid: Do not freeze.\n11. TOXICOLOGICAL INFORMATION\nAcute toxicity Oral, LD50 estimated to be greater than 5000 mg/kg, Dermal, LD50 estimated to be > 2000 m
1,120
what is the msds for windex cleaner?MATERIAL SAFETY DATA SHEET\nWindex Powerized Glass Cleaner (RTU)\n1. PRODUCT AND COMPANY IDENTIFICATION\nProduct name: Windex Powerized Glass Cleaner (RTU)\nMSDS #: 126011004\nProduct code: 126011004, 3694044, 3694052, 90122, 90135, 90139, 90940\nRecommended use: Cleaning product.\nEmergency telephone number: 1-800-851-7145 (Prosar); 1-651-917-6133 (Int'l Prosar); 01-800-710-3400 (México)\n2. HAZARDS IDENTIFICATION\nPrinciple routes of exposure: Eyes. Skin. Inhalation. Ingestion.\nSkin contact: None known.\nEye contact: None known.\nInhalation: None known.\nIngestion: None known.\n3. COMPOSITION/INFORMATION ON INGREDIENTS\nHAZARDOUS COMPONENTS\nIngredient CAS # Weight % LD50 Oral LD50 Dermal LC50 Inhalation\nIsopropyl alcohol 67-63-0 1 - 5% 5000 mg/kg (rat) 12800 mg/kg (rabbit) 16000 ppm/8H (rat)\n4. FIRST AID MEASURES\nEye contact: Rinse with plenty of water.\nSkin contact: Rinse with plenty of water.\nInhalation: No specific first aid measures are required.\nIngestion: No specific first aid measures are required.\nAggravated Medical Conditions: None known.\n5. FIRE-FIGHTING MEASURES\nSuitable extinguishing media: Dry chemical, water spray, foam, carbon dioxide.\nSpecific hazards: Although this product has a flash point below 200 Deg. F, it is an aqueous solution containing an alcohol\nand does not sustain combustion.\nUnusual hazards: None known\nSpecific methods: No special methods required\nSpecial protective equipment for firefighters: As in any fire, wear self-contained breathing apparatus pressure-demand, MSHA/NIOSH (approved or\nequivalent) and full protective gear\nExtinguishing media which must not be used for safety reasons: None.\nManufacturer, importer, supplier:\nConsumer Branded Professional Products, Div.\nJohnsonDiversey, Inc.\n8310 16th Street\nSturtevant, Wisconsin 53177-0902\nPhone: (888) 352-2249\nVersion Number: 3 Preparation date: 2005-05-20\nWindex Powerized Glass Cleaner (RTU) 1 of 3\nEMERGENCY OVERVIEW\nThe product contains no substances which at their given concentration, are considered to be hazardous to health\nHMIS NFPA Personal protective equipment\n0\nFire Hazard 1\nHealth 0\n1\nReactivity 0 0\n6. ACCIDENTAL RELEASE MEASURES\nPersonal precautions: Use personal protective equipment\nEnvironmental precautions\nand clean-up methods:\nAbsorb spill with inert material (e.g. dry sand or earth), then place in a chemical waste container.\n7. HANDLING AND STORAGE\nHandling:\nAvoid contact with eyes. COMBUSTIBLE LIQUID AND VAPOR . Keep away from open flames, hot surfaces and sources of ignition. Handle in\naccordance with good industrial hygiene and safety practice. FOR COMMERCIAL AND INDUSTRIAL USE ONLY.\nStorage:\nKeep tightly closed in a dry, cool and well-ventilated place. Protect from freezing . Keep out of the reach of children.\n8. EXPOSURE CONTROLS / PERSONAL PROTECTION\nEngineering measures to reduce exposure:\nNo special ventilation requirements. General room ventilation is adequate.\nPersonal Protective Equipment\nEye protection: No special requirements under normal use conditions\nHand protection: No special requirements under normal use conditions\nSkin and body protection: No special requirements under normal use conditions\nRespiratory protection: No special requirements under normal use conditions\nHygiene measures: Handle in accordance with good industrial hygiene and safety practice\nIngredient CAS # ACGIH OSHA Mexico\nIsopropyl alcohol 67-63-0 400 ppm (STEL)\n200 ppm (TWA)\n980 mg/m3 400 ppm 1225 mg/m3 (STEL)\n980 mg/m3 (TWA)\n9. PHYSICAL AND CHEMICAL PROPERTIES\nPartition coefficient (n-octanol/water): No information available\n10. STABILITY AND REACTIVITY\nStability: The product is stable\nPolymerization: Hazardous polymerisation does not occur\nHazardous decomposition products: None reasonably foreseeable\nConditions to avoid: Do not freeze.\n11. TOXICOLOGICAL INFORMATION\nAcute toxicity Oral, LD50 estimated to be greater than 5000 mg/kg, Dermal, LD50 estimated to be > 2000 m
Health
129,546
4Computers & Internet
how to reformat the harddisk and load the windows98 second edition and other related soft wares?
Everytime, i have to call some one in to this business and resolve my issues. i like to do it on my own.help me pleeeease!!!!
Minimum Hardware Requirements to Install Windows 98\nThe minimum hardware requirements include: • 486DX 66-MHz or faster processor (Pentium recommended) \n• 16 megabytes (MB) of memory (24 MB recommended) \n• 195 MB of free hard disk space (the required space may vary from 120 MB to 295 MB, depending on your computer's configuration and the options you choose to install) \n• CD-ROM or DVD-ROM drive \n• 3.5-inch high-density floppy disk drive \n• Video adapter and monitor that support VGA or higher resolution \n• Microsoft Mouse or compatible pointing device \n\n\n\n\nHow to Partition the Hard Disk\nAfter you decide which file system you want to use, run the Fdisk tool: 1. Insert the Windows 98 Startup disk in the floppy disk drive, and then restart your computer. \n2. When the Microsoft Windows 98 Startup menu is displayed, choose the Start computer without CD-ROM support option, and then press ENTER. \n3. At a command prompt, type fdisk, and then press ENTER. \n4. If the hard disk is larger than 512 MB, you receive the following prompt:\nYour computer has a disk larger than 512 MB. This version of Windows includes improved support for large disks, resulting in more efficient use of disk space on large drives, and allowing disks over 2 GB to be formatted as a single drive.\n\nIMPORTANT: If you enable large disk support and create any new drives on this disk, you will not be able to access the new drive(s) using other operating systems, including some versions of Windows 95 and Windows NT, as well as earlier versions of Windows and MS-DOS. In addition, disk utilities that were not designated explicitly for the FAT32 file system will not be able to work with this disk. If you need to access this disk with other operating systems or older disk utilities, do no enable large drive support.\n\nDo you wish to enable large disk support (Y/N)? \nIf you want to use the FAT32 file system, press Y, and then press ENTER. If you want to use the FAT16 file system, press N, and then press ENTER. \n\n \n5. After you press ENTER, the Fdisk Options menu is displayed. Press 1 to select the Create DOS partition or Logical DOS Drive option, and then press ENTER. \n6. Press 1 to select the Create Primary DOS Partition option, and then press ENTER. \n7. After you press ENTER, you receive the following prompt:\nDo you wish to use the maximum available size for primary DOS partition?\nFAT32 File System:\n\na. If you chose the FAT32 file system in step 4 and you want all of the space on the hard disk to be assigned to drive C, press Y, and then press ENTER. \nb. Press ESC, and then press ESC to quit the Fdisk tool and return to a command prompt. \nc. Skip to step 10. \nFAT16 File System:\n\na. If you chose the FAT16 file system in step 4, and you want the first 2 GB on the hard disk to be assigned to drive C, press Y, and then press ENTER. \nb. Press ESC to return to the Options menu, and then skip to step i. \nc. If you want to customize the size of the partitions (the logical drives) on the hard disk, press N, and then press ENTER. \nd. A prompt is displayed for you to type the size that you want for the primary partition in megabytes or percent of disk space. Note that for a Windows 98-based computer, Microsoft recommends that you make the primary partition at least 500 MB. Type the size of the partition that you want to create, and then press ENTER. \ne. Press ESC to return to the Options menu. \nf. Press 2 to select the Set active partition option, and then press ENTER. \ng. When you are prompted to type the number of the partition that you want to make the active partition, press 1, and then press ENTER. \nh. Press ESC to return to the Options menu. \ni. To assign drive letters to the additional space on the hard disk:1. Press 1, and then press ENTER. \n2. Press 2 to select the Create Extended DOS Partition option, and then press ENTER. \n3. The option that appears displays the maximum space that is available for the
1,041
how to reformat the harddisk and load the windows98 second edition and other related soft wares?Everytime, i have to call some one in to this business and resolve my issues. i like to do it on my own.help me pleeeease!!!!Minimum Hardware Requirements to Install Windows 98\nThe minimum hardware requirements include: • 486DX 66-MHz or faster processor (Pentium recommended) \n• 16 megabytes (MB) of memory (24 MB recommended) \n• 195 MB of free hard disk space (the required space may vary from 120 MB to 295 MB, depending on your computer's configuration and the options you choose to install) \n• CD-ROM or DVD-ROM drive \n• 3.5-inch high-density floppy disk drive \n• Video adapter and monitor that support VGA or higher resolution \n• Microsoft Mouse or compatible pointing device \n\n\n\n\nHow to Partition the Hard Disk\nAfter you decide which file system you want to use, run the Fdisk tool: 1. Insert the Windows 98 Startup disk in the floppy disk drive, and then restart your computer. \n2. When the Microsoft Windows 98 Startup menu is displayed, choose the Start computer without CD-ROM support option, and then press ENTER. \n3. At a command prompt, type fdisk, and then press ENTER. \n4. If the hard disk is larger than 512 MB, you receive the following prompt:\nYour computer has a disk larger than 512 MB. This version of Windows includes improved support for large disks, resulting in more efficient use of disk space on large drives, and allowing disks over 2 GB to be formatted as a single drive.\n\nIMPORTANT: If you enable large disk support and create any new drives on this disk, you will not be able to access the new drive(s) using other operating systems, including some versions of Windows 95 and Windows NT, as well as earlier versions of Windows and MS-DOS. In addition, disk utilities that were not designated explicitly for the FAT32 file system will not be able to work with this disk. If you need to access this disk with other operating systems or older disk utilities, do no enable large drive support.\n\nDo you wish to enable large disk support (Y/N)? \nIf you want to use the FAT32 file system, press Y, and then press ENTER. If you want to use the FAT16 file system, press N, and then press ENTER. \n\n \n5. After you press ENTER, the Fdisk Options menu is displayed. Press 1 to select the Create DOS partition or Logical DOS Drive option, and then press ENTER. \n6. Press 1 to select the Create Primary DOS Partition option, and then press ENTER. \n7. After you press ENTER, you receive the following prompt:\nDo you wish to use the maximum available size for primary DOS partition?\nFAT32 File System:\n\na. If you chose the FAT32 file system in step 4 and you want all of the space on the hard disk to be assigned to drive C, press Y, and then press ENTER. \nb. Press ESC, and then press ESC to quit the Fdisk tool and return to a command prompt. \nc. Skip to step 10. \nFAT16 File System:\n\na. If you chose the FAT16 file system in step 4, and you want the first 2 GB on the hard disk to be assigned to drive C, press Y, and then press ENTER. \nb. Press ESC to return to the Options menu, and then skip to step i. \nc. If you want to customize the size of the partitions (the logical drives) on the hard disk, press N, and then press ENTER. \nd. A prompt is displayed for you to type the size that you want for the primary partition in megabytes or percent of disk space. Note that for a Windows 98-based computer, Microsoft recommends that you make the primary partition at least 500 MB. Type the size of the partition that you want to create, and then press ENTER. \ne. Press ESC to return to the Options menu. \nf. Press 2 to select the Set active partition option, and then press ENTER. \ng. When you are prompted to type the number of the partition that you want to make the active partition, press 1, and then press ENTER. \nh. Press ESC to return to the Options menu. \ni. To assign drive letters to the additional space on the hard disk:1. Press 1, and then press ENTER. \n2. Press 2 to select the Create Extended DOS Partition option, and then press ENTER. \n3. The option that appears displays the maximum space that is available for the
Computers & Internet
129,847
6Business & Finance
where do i go to find tv commercials about keeping kids off drugs?
Ok. what you do, is go to yahoo.com\ntype something in about saying no to drugs. click on videos, and a bunch of them come up. I will give a couple of links to some of them.\nThe first one is pretty funny, but windows media player sometimes has problems playing it. Just say that you want windows media player to try to play it, it worked for me.\nhttp://rds.yahoo.com/S=96781308/K=say+no+to+drugs/v=2/OID=adfc1ca5ded46f5e/SID=e/l=VDI/SIG=12o9sh7v8/EXP=1140761190/*-http%3A//static.zed.cbc.ca/users/z/ZeDEditrix/files/say_no-Drug_Ad.mov\nor\nhttp://video.search.yahoo.com/video/view?&h=124&w=150&type=flash&rurl=youtube.com%2F%3Fv%3DGt6QQcZfyio&vurl=http%3A%2F%2Fwww.youtube.com%2Fplayer.swf%3Fvideo_id%3DGt6QQcZfyio&back=p%3Dsay%2Bno%2Bto%2Bdrugs%26sm%3DYahoo%2521%2BSearch%26fr%3DFP-tab-vid-t%26toggle%3D1%26cop%3D%26ei%3DUTF-8&turl=re2.mm-a1.yimg.com%2Fimage%2F1630854183&name=1980%27s+Just+Say+No+PSA&no=3&tt=50&p=say+no+to+drugs&oid=62930a968fad81ea&size=10.3kB&dur=30&src=p&pld=640x480\nor\nthis one is funny\nhttp://video.search.yahoo.com/video/view?&h=105&w=140&type=msmedia&rurl=www.xiii-thegame.com%2Fuk%2Fvideos.php&vurl=http%3A%2F%2Fwww.xiii-thegame.com%2Fuk%2Fvideo%2FXIII_1_no-to-drugs.wmv&back=p%3Dsay%2Bno%2Bto%2Bdrugs%26sm%3DYahoo%2521%2BSearch%26fr%3DFP-tab-vid-t%26toggle%3D1%26cop%3D%26ei%3DUTF-8&turl=re2.mm-so.yimg.com%2Fimage%2F1746678509&name=XIII_1_%3Cb%3Eno%3C%2Fb%3E-%3Cb%3Eto%3C%2Fb%3E-%3Cb%3Edrugs%3C%2Fb%3E.wmv&no=7&tt=50&p=say+no+to+drugs&oid=f55c5fd0928f4a66&size=455.6kB&dur=15\nor\nhttp://video.search.yahoo.com/video/view?&h=67&w=120&type=asf&rurl=www.ifilm.com%2Fifilmdetail%2F2681064%3Frefsite%3D7063%26ns%3D1&vurl=http%3A%2F%2Fwww.ifilm.com%2Fplayer%3FifilmId%3D2681064%26refsite%3D7063&back=p%3Dsay%2Bno%2Bto%2Bdrugs%26sm%3DYahoo%2521%2BSearch%26fr%3DFP-tab-vid-t%26toggle%3D1%26cop%3D%26ei%3DUTF-8&turl=re2.mm-a1.yimg.com%2Fimage%2F1630207483&name=Mr.+T%27s+Peer+Pressure&no=10&tt=50&p=say+no+to+drugs&oid=3a07bf90af6a6246&dur=235&src=p&pld=780x515\nor this one is slightly disturbing\nI actually have to give a very big warning to anybody who is easily queasy or anything like that on this one, I strongly suggest that the faint of heart not click on the link, although quick, it kinda blew me back just a little. You HAVE been warned.\nhttp://rds.yahoo.com/S=96781308/K=drug+commercial/v=2/OID=b6a5cbf811d695a0/SID=e/l=VDP/SIG=12jns6nqd/EXP=1140761980/*-http%3A//www.savagekingdom.com/alcohol%20and%20drug%20project.mpg\nor\nhttp://rds.yahoo.com/S=96781308/K=drug+commercial/v=2/OID=25cd6d1278b94c4a/SID=e/l=VDP/SIG=128ap5b8s/EXP=1140762044/*-http%3A//xman.mghpu.ru/misc/anti_-_drug_commercial.avi\n\nthe list goes on, but I am done.
1,331
where do i go to find tv commercials about keeping kids off drugs?Ok. what you do, is go to yahoo.com\ntype something in about saying no to drugs. click on videos, and a bunch of them come up. I will give a couple of links to some of them.\nThe first one is pretty funny, but windows media player sometimes has problems playing it. Just say that you want windows media player to try to play it, it worked for me.\nhttp://rds.yahoo.com/S=96781308/K=say+no+to+drugs/v=2/OID=adfc1ca5ded46f5e/SID=e/l=VDI/SIG=12o9sh7v8/EXP=1140761190/*-http%3A//static.zed.cbc.ca/users/z/ZeDEditrix/files/say_no-Drug_Ad.mov\nor\nhttp://video.search.yahoo.com/video/view?&h=124&w=150&type=flash&rurl=youtube.com%2F%3Fv%3DGt6QQcZfyio&vurl=http%3A%2F%2Fwww.youtube.com%2Fplayer.swf%3Fvideo_id%3DGt6QQcZfyio&back=p%3Dsay%2Bno%2Bto%2Bdrugs%26sm%3DYahoo%2521%2BSearch%26fr%3DFP-tab-vid-t%26toggle%3D1%26cop%3D%26ei%3DUTF-8&turl=re2.mm-a1.yimg.com%2Fimage%2F1630854183&name=1980%27s+Just+Say+No+PSA&no=3&tt=50&p=say+no+to+drugs&oid=62930a968fad81ea&size=10.3kB&dur=30&src=p&pld=640x480\nor\nthis one is funny\nhttp://video.search.yahoo.com/video/view?&h=105&w=140&type=msmedia&rurl=www.xiii-thegame.com%2Fuk%2Fvideos.php&vurl=http%3A%2F%2Fwww.xiii-thegame.com%2Fuk%2Fvideo%2FXIII_1_no-to-drugs.wmv&back=p%3Dsay%2Bno%2Bto%2Bdrugs%26sm%3DYahoo%2521%2BSearch%26fr%3DFP-tab-vid-t%26toggle%3D1%26cop%3D%26ei%3DUTF-8&turl=re2.mm-so.yimg.com%2Fimage%2F1746678509&name=XIII_1_%3Cb%3Eno%3C%2Fb%3E-%3Cb%3Eto%3C%2Fb%3E-%3Cb%3Edrugs%3C%2Fb%3E.wmv&no=7&tt=50&p=say+no+to+drugs&oid=f55c5fd0928f4a66&size=455.6kB&dur=15\nor\nhttp://video.search.yahoo.com/video/view?&h=67&w=120&type=asf&rurl=www.ifilm.com%2Fifilmdetail%2F2681064%3Frefsite%3D7063%26ns%3D1&vurl=http%3A%2F%2Fwww.ifilm.com%2Fplayer%3FifilmId%3D2681064%26refsite%3D7063&back=p%3Dsay%2Bno%2Bto%2Bdrugs%26sm%3DYahoo%2521%2BSearch%26fr%3DFP-tab-vid-t%26toggle%3D1%26cop%3D%26ei%3DUTF-8&turl=re2.mm-a1.yimg.com%2Fimage%2F1630207483&name=Mr.+T%27s+Peer+Pressure&no=10&tt=50&p=say+no+to+drugs&oid=3a07bf90af6a6246&dur=235&src=p&pld=780x515\nor this one is slightly disturbing\nI actually have to give a very big warning to anybody who is easily queasy or anything like that on this one, I strongly suggest that the faint of heart not click on the link, although quick, it kinda blew me back just a little. You HAVE been warned.\nhttp://rds.yahoo.com/S=96781308/K=drug+commercial/v=2/OID=b6a5cbf811d695a0/SID=e/l=VDP/SIG=12jns6nqd/EXP=1140761980/*-http%3A//www.savagekingdom.com/alcohol%20and%20drug%20project.mpg\nor\nhttp://rds.yahoo.com/S=96781308/K=drug+commercial/v=2/OID=25cd6d1278b94c4a/SID=e/l=VDP/SIG=128ap5b8s/EXP=1140762044/*-http%3A//xman.mghpu.ru/misc/anti_-_drug_commercial.avi\n\nthe list goes on, but I am done.
Business & Finance
130,210
1Science & Mathematics
What do you think of the Genographic Project?
Do you think that people will be more apt to believe in evolution or the "creation" theory because of the project?\n\nThere is already evidence that all genetic roots lead to Africa. So far, they date the common female ancestor to between 150,000 and 200,000 years ago in central Africa and the common male ancestor to between 60,000 and 100,000 years ago from the same area. \n\nWhat will be the impact of this?\n\n(I know this is more than one question, but they all tie in together...)
Nice effort and beneficial.\nThey want to trace back the details of human generations which are vague.\nWell, they "search" for Adam, right?\nThey must believe in creationism rather than evolution.\n\nHopefully people will realise that we humans are all the same. We came from the same root. No more racist solicitation.\nThe theory of evolution is focused mostly on physiques. They do not care to think that men have minds and spirit.\nIt is clearly wrong to define us physically just like the animals. We are better than animals. \nMoreover, we are the best creations. \n\nI do not really get the picture with the female ancestor to date earlier than the common male ancestor. Could you explain to me about that?\n\nIt is weird for woman and man to live not in the same time. How could they reproduce?\n\nMaybe I will come back later. By the way, I think "boffin" means buffoons.\n\n\n\nThank you Kurdiatcha for explaining to me.\nI was not expecting you but the questioner herself but thank you.\n\nI would like to edit some more but have no time.\nHere's a little correction:\n\nWhat I meant by define us physically just like the animals is to take ONLY physique into acount.\n\nThe brain differs from the mind. Animals have brains but not minds. They have life but not soul.\n\nBrain is physique. Mind is defined as the ability to learn and understand things by self, not gifted.\nOf course, we need the help of God to understand about something.\nMind is also the sign of rationality of humans.\n\nI will continue later.\n\n\n\nSorry for keeping you waiting so long, Nelly. I had to take time to make a structure of my next explainations which are:\nThis is going to be quite a LONG lecture.\n\n\nHuman = (Physique) (Mind) (Life) (Soul)\nAnimal = (Physique) (Life)\n\nPhysique = Physique?\nIt is most probably. If to follow the law of balance; equation and relation, Human seems to have more advantages such as Mind and Soul, therefore their Physique must be less advantageous than that of Animal.\n\nLife = Life\n\nSoul = Mind (Feelings) (Life)\nMind = Soul (Life) (Physique)\nFeelings = (Physique) (Soul)\nMind ≠ Brain\nBrain = Mind (Physique) (Life) = Brain\nIn this context, Mind means the controller. Brain of Human and Brain of Animal are similar but not the same.\n\nMind = Soul\nMind + Soul (Animal) = Human\nMind and Soul are similar yet they are not one. Plus, they are parallel. Physique capsulizes Brain where in the Brain lies Mind. Life capsulizes Soul. The parallelism of both must be broken and should be met in order to achieve the same goal; finding God. \nOnce they have combined, the journey of finding God will be clearer.\n\nPhysique (Mind) + Life (Soul) = Human\nSoul + Mind ≠ Human\nPhysique + Life ≠ Human\n\nTherefore, Physique and Life make up Animal’s characteristics. Physique capsulizes Life and Life enlivens Physique. It is mutual symbiosis.\n\nPhysique, Mind, Life and Soul make up Human’s characteristics. Physique capsulizes Life, Soul and Mind, Life and Soul enlivens Physique, Mind controls Physique and Life, so does Soul. Soul controls Mind but Mind decides initially.\n\nConsider Human like a box (Physique) powered by Life externally. Inside the box, there is a ball of Soul and Mind; Mind takes up only the core while Soul is the ball inside out. With the ball, the box is generated internally.\n\nThe three parts: Physique, Life and Soul must be available in order for a Human to love but irrationally minded. Therefore, Mind is the only part of rationality. It is the only part of intelligence.\n\n\nThe above equations show the difference between Human and Animal. I know it is quizzical to you, so it is to me.\nThe sign with the small "l" is actually a small number 1, indicates Human.\n\nWell, if we to trace the generations of human, we must primarily try to understand human. If you do not understand anything, tell me. I will try to make you understand the equation. Even I do n
1,165
What do you think of the Genographic Project?Do you think that people will be more apt to believe in evolution or the "creation" theory because of the project?\n\nThere is already evidence that all genetic roots lead to Africa. So far, they date the common female ancestor to between 150,000 and 200,000 years ago in central Africa and the common male ancestor to between 60,000 and 100,000 years ago from the same area. \n\nWhat will be the impact of this?\n\n(I know this is more than one question, but they all tie in together...)Nice effort and beneficial.\nThey want to trace back the details of human generations which are vague.\nWell, they "search" for Adam, right?\nThey must believe in creationism rather than evolution.\n\nHopefully people will realise that we humans are all the same. We came from the same root. No more racist solicitation.\nThe theory of evolution is focused mostly on physiques. They do not care to think that men have minds and spirit.\nIt is clearly wrong to define us physically just like the animals. We are better than animals. \nMoreover, we are the best creations. \n\nI do not really get the picture with the female ancestor to date earlier than the common male ancestor. Could you explain to me about that?\n\nIt is weird for woman and man to live not in the same time. How could they reproduce?\n\nMaybe I will come back later. By the way, I think "boffin" means buffoons.\n\n\n\nThank you Kurdiatcha for explaining to me.\nI was not expecting you but the questioner herself but thank you.\n\nI would like to edit some more but have no time.\nHere's a little correction:\n\nWhat I meant by define us physically just like the animals is to take ONLY physique into acount.\n\nThe brain differs from the mind. Animals have brains but not minds. They have life but not soul.\n\nBrain is physique. Mind is defined as the ability to learn and understand things by self, not gifted.\nOf course, we need the help of God to understand about something.\nMind is also the sign of rationality of humans.\n\nI will continue later.\n\n\n\nSorry for keeping you waiting so long, Nelly. I had to take time to make a structure of my next explainations which are:\nThis is going to be quite a LONG lecture.\n\n\nHuman = (Physique) (Mind) (Life) (Soul)\nAnimal = (Physique) (Life)\n\nPhysique = Physique?\nIt is most probably. If to follow the law of balance; equation and relation, Human seems to have more advantages such as Mind and Soul, therefore their Physique must be less advantageous than that of Animal.\n\nLife = Life\n\nSoul = Mind (Feelings) (Life)\nMind = Soul (Life) (Physique)\nFeelings = (Physique) (Soul)\nMind ≠ Brain\nBrain = Mind (Physique) (Life) = Brain\nIn this context, Mind means the controller. Brain of Human and Brain of Animal are similar but not the same.\n\nMind = Soul\nMind + Soul (Animal) = Human\nMind and Soul are similar yet they are not one. Plus, they are parallel. Physique capsulizes Brain where in the Brain lies Mind. Life capsulizes Soul. The parallelism of both must be broken and should be met in order to achieve the same goal; finding God. \nOnce they have combined, the journey of finding God will be clearer.\n\nPhysique (Mind) + Life (Soul) = Human\nSoul + Mind ≠ Human\nPhysique + Life ≠ Human\n\nTherefore, Physique and Life make up Animal’s characteristics. Physique capsulizes Life and Life enlivens Physique. It is mutual symbiosis.\n\nPhysique, Mind, Life and Soul make up Human’s characteristics. Physique capsulizes Life, Soul and Mind, Life and Soul enlivens Physique, Mind controls Physique and Life, so does Soul. Soul controls Mind but Mind decides initially.\n\nConsider Human like a box (Physique) powered by Life externally. Inside the box, there is a ball of Soul and Mind; Mind takes up only the core while Soul is the ball inside out. With the ball, the box is generated internally.\n\nThe three parts: Physique, Life and Soul must be available in order for a Human to love but irrationally minded. Therefore, Mind is the only part of rationality. It is the only part of intelligence.\n\n\nThe above equations show the difference between Human and Animal. I know it is quizzical to you, so it is to me.\nThe sign with the small "l" is actually a small number 1, indicates Human.\n\nWell, if we to trace the generations of human, we must primarily try to understand human. If you do not understand anything, tell me. I will try to make you understand the equation. Even I do n
Science & Mathematics
130,339
8Family & Relationships
The state of Dating in Canada?
There appears to be many studies and research compiled summarizing\n\n‘the dating scene’ in the USA, however, I am finding it very difficult\n\nto locate those same studies and nuggets of info pertaining to Canada.\n\nI am looking to find out the following: \n\nWho uses online and non-traditional means to meet others and to date\n\n(ie. Online, professional matchmakers, dating agencies)?\n\nWhat are their demographics?\n\nWhat is most important to them i.e. security, privacy, a good match?\n\nWho are the 'players' within the industry in Canada, both online and\n\nbricks and mortar?\n\nThanks in advance
====================================\nDATING SERVICES -- USER DEMOGRAPHICS\n====================================\n\nhttp://www.nelson.com/nelson/harcourt/sociology/newsociety3e/loveonline.pdf\nLove Online: A Report on Digital Dating in Canada\n\n***** This is a 55-page report from two researchers for the University\nof Toronto and McMasters University and funded by MSN.CA\n\n-------------------------------------------------\n\n\nhttp://www.cbc.ca/consumers/market/files/services/onlinedating/facts.html\nLove and little white lies\nBroadcast: Mar 16, 2004\nOnline dating facts & figures\n\nAverage monthly unique visitors to the online dating sites: \nU.S.: 40 million \nCanada: 7 million \n\nAccording to Love Online: A Report on Digital Dating in Canada (Drs.\nRobert J Brym and Rhonda L. Lenton, March 2001)\n \nOnline dating is growing for four main reasons:\n -- a growing proportion of the population is composed of singles.\nBetween 1995 and 1999, the number of single, widowed or divorced\nCanadians grew by 4.4 per cent.\n -- career and time pressures are increasing \n -- single people are more mobile. Also, a growing number of jobs\nrequire frequent travel\n -- workplace romance is on the decline due to growing sensitivity\nabout sexual harassment in the workplace\n\n***** This article summarizes the statistics from the 55-page report.\n\n\n\n==============================================\nDATING SERVICES -- USER PREFERENCES AND VALUES\n==============================================\n\nhttp://www.newswire.ca/en/releases/archive/June2003/23/c6350.html \nJune23, 2003 -- Survey Shows: Gay, Lesbian and Bi-Sexual Canadians Who\nUse Online Personals Services Want a Serious Relationship\n\nTORONTO, June 23 /CNW/ - Yahoo! Canada Co, www.yahoo.ca a subsidiary\nof Yahoo! Inc., a leading global Internet company, today announced\nfindings from a Yahoo! Canada Personals online survey(*) which shows\nthat when it comes to finding love and relationships, that Canadian\ngays, lesbians and bi-sexuals (GLB) who use the Internet are strong\nusers of online personals services and many use these services in\ntheir quest to find a serious relationship. The survey found that over\n87 per cent of respondents have used online personals services, more\nthan 67.6 per cent would consider using an online personals service in\nthe next 12 months and 75 per cent said they used online personals\nbecause they want to start a serious relationship.\n\n***** This article contains lots of statistics about the preferences\nof this target market.\n\n\n======================================================\nDATING SERVICES (TRADITIONAL AND ONLINE) – KEY PLAYERS\n======================================================\n\nhttp://www.theglobeandmail.com/servlet/ArticleNews/TPStory/LAC/20040305/RLAVALIFE05/TPBusiness/TopStories\nMarch 5, 2004 -- \nLavalife dating service falls for U.S. suitor\nHefty price reflects lucrative market\n\nCanada's leading on-line dating service, Lavalife Inc., has been\nsnapped up by a U.S. firm for $152.5-million in cash, a hefty price\ntag that is testament to the lucrative world of on-line matchmaking.\n\n\nhttp://money.canoe.ca/News/Sectors/Technology/2004/03/04/370097-cp.html\nMemberWorks of U.S. pays $152.5 million Cdn for matchmaker Lavalife\n2004-03-04 16:56:00\n\nTORONTO (CP) - Lavalife thinks it's found itself a match. \nThe Canadian online dating services company said Thursday it has\nagreed to be bought by U.S.-based marketing firm MemberWorks for\n$152.5 million in cash.\n\nAfter starting out in 1987 as Telepersonals, a telephone-based\npersonals-connecting service, the company morphed into Webpersonals in\n1997, and then Lavalife three years ago.\n\nAccording to the Online Publishers Association based in New York,\nspending in the personals/dating category in the first half of 2003 by\nU.S. consumers hit $214.3 million US, up 76 per cent from the same\nperiod in 2002.\n\nThe personals/dating category was also the largest
1,230
The state of Dating in Canada?There appears to be many studies and research compiled summarizing\n\n‘the dating scene’ in the USA, however, I am finding it very difficult\n\nto locate those same studies and nuggets of info pertaining to Canada.\n\nI am looking to find out the following: \n\nWho uses online and non-traditional means to meet others and to date\n\n(ie. Online, professional matchmakers, dating agencies)?\n\nWhat are their demographics?\n\nWhat is most important to them i.e. security, privacy, a good match?\n\nWho are the 'players' within the industry in Canada, both online and\n\nbricks and mortar?\n\nThanks in advance====================================\nDATING SERVICES -- USER DEMOGRAPHICS\n====================================\n\nhttp://www.nelson.com/nelson/harcourt/sociology/newsociety3e/loveonline.pdf\nLove Online: A Report on Digital Dating in Canada\n\n***** This is a 55-page report from two researchers for the University\nof Toronto and McMasters University and funded by MSN.CA\n\n-------------------------------------------------\n\n\nhttp://www.cbc.ca/consumers/market/files/services/onlinedating/facts.html\nLove and little white lies\nBroadcast: Mar 16, 2004\nOnline dating facts & figures\n\nAverage monthly unique visitors to the online dating sites: \nU.S.: 40 million \nCanada: 7 million \n\nAccording to Love Online: A Report on Digital Dating in Canada (Drs.\nRobert J Brym and Rhonda L. Lenton, March 2001)\n \nOnline dating is growing for four main reasons:\n -- a growing proportion of the population is composed of singles.\nBetween 1995 and 1999, the number of single, widowed or divorced\nCanadians grew by 4.4 per cent.\n -- career and time pressures are increasing \n -- single people are more mobile. Also, a growing number of jobs\nrequire frequent travel\n -- workplace romance is on the decline due to growing sensitivity\nabout sexual harassment in the workplace\n\n***** This article summarizes the statistics from the 55-page report.\n\n\n\n==============================================\nDATING SERVICES -- USER PREFERENCES AND VALUES\n==============================================\n\nhttp://www.newswire.ca/en/releases/archive/June2003/23/c6350.html \nJune23, 2003 -- Survey Shows: Gay, Lesbian and Bi-Sexual Canadians Who\nUse Online Personals Services Want a Serious Relationship\n\nTORONTO, June 23 /CNW/ - Yahoo! Canada Co, www.yahoo.ca a subsidiary\nof Yahoo! Inc., a leading global Internet company, today announced\nfindings from a Yahoo! Canada Personals online survey(*) which shows\nthat when it comes to finding love and relationships, that Canadian\ngays, lesbians and bi-sexuals (GLB) who use the Internet are strong\nusers of online personals services and many use these services in\ntheir quest to find a serious relationship. The survey found that over\n87 per cent of respondents have used online personals services, more\nthan 67.6 per cent would consider using an online personals service in\nthe next 12 months and 75 per cent said they used online personals\nbecause they want to start a serious relationship.\n\n***** This article contains lots of statistics about the preferences\nof this target market.\n\n\n======================================================\nDATING SERVICES (TRADITIONAL AND ONLINE) – KEY PLAYERS\n======================================================\n\nhttp://www.theglobeandmail.com/servlet/ArticleNews/TPStory/LAC/20040305/RLAVALIFE05/TPBusiness/TopStories\nMarch 5, 2004 -- \nLavalife dating service falls for U.S. suitor\nHefty price reflects lucrative market\n\nCanada's leading on-line dating service, Lavalife Inc., has been\nsnapped up by a U.S. firm for $152.5-million in cash, a hefty price\ntag that is testament to the lucrative world of on-line matchmaking.\n\n\nhttp://money.canoe.ca/News/Sectors/Technology/2004/03/04/370097-cp.html\nMemberWorks of U.S. pays $152.5 million Cdn for matchmaker Lavalife\n2004-03-04 16:56:00\n\nTORONTO (CP) - Lavalife thinks it's found itself a match. \nThe Canadian online dating services company said Thursday it has\nagreed to be bought by U.S.-based marketing firm MemberWorks for\n$152.5 million in cash.\n\nAfter starting out in 1987 as Telepersonals, a telephone-based\npersonals-connecting service, the company morphed into Webpersonals in\n1997, and then Lavalife three years ago.\n\nAccording to the Online Publishers Association based in New York,\nspending in the personals/dating category in the first half of 2003 by\nU.S. consumers hit $214.3 million US, up 76 per cent from the same\nperiod in 2002.\n\nThe personals/dating category was also the largest
Family & Relationships
131,812
5Sports
Where can I get a picture of a NFL player with the Lombardi Trophy--like they showed during the Super Bowl?
I'm looking for a picture of Heath Miller with the Lombardi Trophy.
here's the bus http://rds.yahoo.com/S=96062857/K=pittsburgh+steelers/v=2/SID=e/l=II/R=101/SS=i/OID=b220c247bdcad14e/;_ylt=A9gnMiM9KCJEp14BRsCJzbkF;_ylu=X3oDMTBla2V2a3Y2BHBvcwMxMDEEc2VjA3Ny/SIG=1h1k95do6/EXP=1143175613/*-http%3A//images.search.yahoo.com/search/images/view?back=http%3A%2F%2Fimages.search.yahoo.com%2Fsearch%2Fimages%3Fp%3Dpittsburgh%2Bsteelers%26ei%3DUTF-8%26fr%3DFP-tab-web-t%26b%3D101&w=220&h=165&imgurl=www.tz-online.de%2Fstorage%2Fpic%2Finfoline%2Fsport%2F62948_jpeg-1xk73133-20060206-img_10872706_onlineBild.jpg&rurl=http%3A%2F%2Fwww.tz-online.de%2Finfoline%2Fsport%2Fart974%2C196708.html&size=10.3kB&name=62948_jpeg-1xk73133-20060206-img_10872706_onlineBild.jpg&p=pittsburgh+steelers&type=jpeg&no=101&tt=24,345&ei=UTF-8&src=p\n\nHines ward http://rds.yahoo.com/S=96062857/K=pittsburgh+steelers/v=2/SID=e/l=II/R=119/SS=i/OID=1d57a3dfdabc891a/;_ylt=A9gnMiM9KCJEp14BWMCJzbkF;_ylu=X3oDMTBlYjJpdjd2BHBvcwMxMTkEc2VjA3Ny/SIG=1fp1tsee9/EXP=1143175613/*-http%3A//images.search.yahoo.com/search/images/view?back=http%3A%2F%2Fimages.search.yahoo.com%2Fsearch%2Fimages%3Fp%3Dpittsburgh%2Bsteelers%26ei%3DUTF-8%26fr%3DFP-tab-web-t%26b%3D101&w=150&h=180&imgurl=www.sportbild.de%2Fde%2Fphotos%2F06%2F02%2F3fb93b038052fb04ff619c39745180c0.jpg&rurl=http%3A%2F%2Fwww.sportbild.de%2Fnncs%2Fsportmix%2F2006%2F02%2F06%2F2309100003.html&size=12.3kB&name=3fb93b038052fb04ff619c39745180c0.jpg&p=pittsburgh+steelers&type=jpeg&no=119&tt=24,345&ei=UTF-8&src=p\nCowher getting poured water on http://rds.yahoo.com/S=96062857/K=pittsburgh+steelers/v=2/SID=e/l=II/R=207/SS=i/OID=cc3403f57b3f5402/;_ylt=A9gnMiS1KCJE6e8AGIOJzbkF;_ylu=X3oDMTBlYmM0OGRsBHBvcwMyMDcEc2VjA3Ny/SIG=1gc2i2j3e/EXP=1143175733/*-http%3A//images.search.yahoo.com/search/images/view?back=http%3A%2F%2Fimages.search.yahoo.com%2Fsearch%2Fimages%3Fp%3Dpittsburgh%2Bsteelers%26ei%3DUTF-8%26fr%3DFP-tab-web-t%26b%3D201&w=150&h=180&imgurl=sport.ard.de%2Fsp%2Fweitere%2Fnews200601%2F23%2Fimg%2Fpitts_steelers_ap_150.jpg&rurl=http%3A%2F%2Fsport.ard.de%2Fsp%2Fweitere%2Fnews200601%2F23%2Fpittsburgh_und_seattle_spielen_super_bowl_aus.jhtml&size=12.0kB&name=pitts_steelers_ap_150.jpg&p=pittsburgh+steelers&type=jpeg&no=207&tt=24,345&ei=UTF-8&src=p
1,274
Where can I get a picture of a NFL player with the Lombardi Trophy--like they showed during the Super Bowl?I'm looking for a picture of Heath Miller with the Lombardi Trophy.here's the bus http://rds.yahoo.com/S=96062857/K=pittsburgh+steelers/v=2/SID=e/l=II/R=101/SS=i/OID=b220c247bdcad14e/;_ylt=A9gnMiM9KCJEp14BRsCJzbkF;_ylu=X3oDMTBla2V2a3Y2BHBvcwMxMDEEc2VjA3Ny/SIG=1h1k95do6/EXP=1143175613/*-http%3A//images.search.yahoo.com/search/images/view?back=http%3A%2F%2Fimages.search.yahoo.com%2Fsearch%2Fimages%3Fp%3Dpittsburgh%2Bsteelers%26ei%3DUTF-8%26fr%3DFP-tab-web-t%26b%3D101&w=220&h=165&imgurl=www.tz-online.de%2Fstorage%2Fpic%2Finfoline%2Fsport%2F62948_jpeg-1xk73133-20060206-img_10872706_onlineBild.jpg&rurl=http%3A%2F%2Fwww.tz-online.de%2Finfoline%2Fsport%2Fart974%2C196708.html&size=10.3kB&name=62948_jpeg-1xk73133-20060206-img_10872706_onlineBild.jpg&p=pittsburgh+steelers&type=jpeg&no=101&tt=24,345&ei=UTF-8&src=p\n\nHines ward http://rds.yahoo.com/S=96062857/K=pittsburgh+steelers/v=2/SID=e/l=II/R=119/SS=i/OID=1d57a3dfdabc891a/;_ylt=A9gnMiM9KCJEp14BWMCJzbkF;_ylu=X3oDMTBlYjJpdjd2BHBvcwMxMTkEc2VjA3Ny/SIG=1fp1tsee9/EXP=1143175613/*-http%3A//images.search.yahoo.com/search/images/view?back=http%3A%2F%2Fimages.search.yahoo.com%2Fsearch%2Fimages%3Fp%3Dpittsburgh%2Bsteelers%26ei%3DUTF-8%26fr%3DFP-tab-web-t%26b%3D101&w=150&h=180&imgurl=www.sportbild.de%2Fde%2Fphotos%2F06%2F02%2F3fb93b038052fb04ff619c39745180c0.jpg&rurl=http%3A%2F%2Fwww.sportbild.de%2Fnncs%2Fsportmix%2F2006%2F02%2F06%2F2309100003.html&size=12.3kB&name=3fb93b038052fb04ff619c39745180c0.jpg&p=pittsburgh+steelers&type=jpeg&no=119&tt=24,345&ei=UTF-8&src=p\nCowher getting poured water on http://rds.yahoo.com/S=96062857/K=pittsburgh+steelers/v=2/SID=e/l=II/R=207/SS=i/OID=cc3403f57b3f5402/;_ylt=A9gnMiS1KCJE6e8AGIOJzbkF;_ylu=X3oDMTBlYmM0OGRsBHBvcwMyMDcEc2VjA3Ny/SIG=1gc2i2j3e/EXP=1143175733/*-http%3A//images.search.yahoo.com/search/images/view?back=http%3A%2F%2Fimages.search.yahoo.com%2Fsearch%2Fimages%3Fp%3Dpittsburgh%2Bsteelers%26ei%3DUTF-8%26fr%3DFP-tab-web-t%26b%3D201&w=150&h=180&imgurl=sport.ard.de%2Fsp%2Fweitere%2Fnews200601%2F23%2Fimg%2Fpitts_steelers_ap_150.jpg&rurl=http%3A%2F%2Fsport.ard.de%2Fsp%2Fweitere%2Fnews200601%2F23%2Fpittsburgh_und_seattle_spielen_super_bowl_aus.jhtml&size=12.0kB&name=pitts_steelers_ap_150.jpg&p=pittsburgh+steelers&type=jpeg&no=207&tt=24,345&ei=UTF-8&src=p
Sports
132,090
3Education & Reference
What is Lowry's Method in Biochemistry?
The Lowry Method\nThe Lowry method for determining protein concentration\nis essentially a biuret reaction that incorporates\nthe use of Folin-Ciocalteu reagent for\nenhanced color development. The Lowry procedure\nis more commonly used in research applications\nbecause it is ten times more sensitive than\nthe biuret reaction. In the Lowry method, protein is\nfirst treated with alkaline copper sulfate in the\npresence of tartrate. This “incubation” is then followed\nby addition of the Folin-phenol reagent. It is\nbelieved that the enhancement of the color reaction\nin the Lowry procedure occurs when the tetradentate\ncopper complexes transfer electrons to the\nphospho-molybdic/phosphotungstic acid complex\n(Mo+6/W+6, Folin phenol reagent). Reduction of the\nFolin phenol reagent yields a blue color read at 750\nnm.17,18\nAlthough the Lowry method has the distinction of\nbeing the most referenced assay in the biochemical\nliterature and has become the standard for protein\nquantitation, it is also well known for its deficiencies.\nFor example, the alkaline copper reagent\nis unstable and requires daily preparation with a\nmulti-step procedure that is time- and labor-intensive.\nIn addition, the assay has been shown to be\nphotosensitive. As a practical matter, precautions\nReferences\n4. Peterson, G.L. (1977). A simplification of the protein assay method of Lowry et.al. which is more generally applicable. Anal. Biochem. 83, 346-356.\n5. Schacterle, G.R. and Pollack, R.L. (1973). A simplified method for the quantitative assay of small amounts of protein in biologic material. Anal. Biochem.\n51, 654-655.\n6. Hartree, E.E. (1972). Determination of protein; A modification of the Lowry method that gives a linear photometric response. Anal. Biochem. 48, 422-427.\n17. Creighton, T.E. (1984). Chemical nature of polypeptides, in Proteins. New York: W.H. Freeman and Co., pp 1-60.\n18. Sengupta, S. and Chattopadhyay, M.K. (1993). Lowry’s method of protein estimation: some insights. J. Pharm. Pharmacol. 45, 80.\n19. Lo, C. and Stelson, H. (1972). Interference by polysucrose in protein determination by the Lowry method. Anal. Biochem. 45, 331-336.\n20. Neurath, A.R. (1966). Interference of sodium ethylenediaminetetraacetate in the determination of proteins and its elimination. Experientia 22, 290.\n21. Kuno, H. and Kihara, H.K. (1967). Simple microassay of protein with membrane filter. Nature 215, 974-975.\n22. Morrissey, T.B. and Woltering, E.A. (1989). Sodium oxalate corrects calcium interference in Lowry protein assay. J. Surg. Res. 47(3), 273-275.\n23. Sargent, M.G. (1987). Fiftyfold amplification of the Lowry protein assay. Anal. Biochem. 163(2), 476-481.\n26. Dawson, J.M. and Heatlie, P.L. (1984). Lowry method of protein quantification: evidence for photosensitivity. Anal. Biochem. 140(2), 391-393.\n27. Fryer, H.J.L., Davis, G.E., Manthorpe, M. and Varon, S. (1986). Lowry protein assay using an automatic microtiter plate spectrophotometer. Anal.\nBiochem. 153(2), 262-266.\nshould be taken to subject the samples to the same\nlevel of illumination during the procedure.26\nSeveral modifications of the original Lowry procedure\nhave been reported. For example, modifications\nhave been made to simplify the procedure4,5\nand to improve the following: linearity of response;\n6 reproducibility and sensitivity;23 stability\nand chemistry of color development; stability of\nthe biuret reagent;2,5 and speed.27 Other modifications\nhave dealt with interfering substances7 and\napproaches to the analysis of protein samples in\nthe presence of biomaterials such as lipids.\nMuch has been published regarding substances\nthat interfere with protein determination using the\nLowry procedure. Compounds commonly known\nto interfere with the Lowry assay include: detergents\nand carbohydrates;8,19 glycerol, Tricine and\nEDTA;20 Tris;21 potassium and sulfhydryl and disulfide\ncontaining compounds;9 magnesium;21 and\ncalcium.22\nThe addition of oxalate to
1,091
What is Lowry's Method in Biochemistry?The Lowry Method\nThe Lowry method for determining protein concentration\nis essentially a biuret reaction that incorporates\nthe use of Folin-Ciocalteu reagent for\nenhanced color development. The Lowry procedure\nis more commonly used in research applications\nbecause it is ten times more sensitive than\nthe biuret reaction. In the Lowry method, protein is\nfirst treated with alkaline copper sulfate in the\npresence of tartrate. This “incubation” is then followed\nby addition of the Folin-phenol reagent. It is\nbelieved that the enhancement of the color reaction\nin the Lowry procedure occurs when the tetradentate\ncopper complexes transfer electrons to the\nphospho-molybdic/phosphotungstic acid complex\n(Mo+6/W+6, Folin phenol reagent). Reduction of the\nFolin phenol reagent yields a blue color read at 750\nnm.17,18\nAlthough the Lowry method has the distinction of\nbeing the most referenced assay in the biochemical\nliterature and has become the standard for protein\nquantitation, it is also well known for its deficiencies.\nFor example, the alkaline copper reagent\nis unstable and requires daily preparation with a\nmulti-step procedure that is time- and labor-intensive.\nIn addition, the assay has been shown to be\nphotosensitive. As a practical matter, precautions\nReferences\n4. Peterson, G.L. (1977). A simplification of the protein assay method of Lowry et.al. which is more generally applicable. Anal. Biochem. 83, 346-356.\n5. Schacterle, G.R. and Pollack, R.L. (1973). A simplified method for the quantitative assay of small amounts of protein in biologic material. Anal. Biochem.\n51, 654-655.\n6. Hartree, E.E. (1972). Determination of protein; A modification of the Lowry method that gives a linear photometric response. Anal. Biochem. 48, 422-427.\n17. Creighton, T.E. (1984). Chemical nature of polypeptides, in Proteins. New York: W.H. Freeman and Co., pp 1-60.\n18. Sengupta, S. and Chattopadhyay, M.K. (1993). Lowry’s method of protein estimation: some insights. J. Pharm. Pharmacol. 45, 80.\n19. Lo, C. and Stelson, H. (1972). Interference by polysucrose in protein determination by the Lowry method. Anal. Biochem. 45, 331-336.\n20. Neurath, A.R. (1966). Interference of sodium ethylenediaminetetraacetate in the determination of proteins and its elimination. Experientia 22, 290.\n21. Kuno, H. and Kihara, H.K. (1967). Simple microassay of protein with membrane filter. Nature 215, 974-975.\n22. Morrissey, T.B. and Woltering, E.A. (1989). Sodium oxalate corrects calcium interference in Lowry protein assay. J. Surg. Res. 47(3), 273-275.\n23. Sargent, M.G. (1987). Fiftyfold amplification of the Lowry protein assay. Anal. Biochem. 163(2), 476-481.\n26. Dawson, J.M. and Heatlie, P.L. (1984). Lowry method of protein quantification: evidence for photosensitivity. Anal. Biochem. 140(2), 391-393.\n27. Fryer, H.J.L., Davis, G.E., Manthorpe, M. and Varon, S. (1986). Lowry protein assay using an automatic microtiter plate spectrophotometer. Anal.\nBiochem. 153(2), 262-266.\nshould be taken to subject the samples to the same\nlevel of illumination during the procedure.26\nSeveral modifications of the original Lowry procedure\nhave been reported. For example, modifications\nhave been made to simplify the procedure4,5\nand to improve the following: linearity of response;\n6 reproducibility and sensitivity;23 stability\nand chemistry of color development; stability of\nthe biuret reagent;2,5 and speed.27 Other modifications\nhave dealt with interfering substances7 and\napproaches to the analysis of protein samples in\nthe presence of biomaterials such as lipids.\nMuch has been published regarding substances\nthat interfere with protein determination using the\nLowry procedure. Compounds commonly known\nto interfere with the Lowry assay include: detergents\nand carbohydrates;8,19 glycerol, Tricine and\nEDTA;20 Tris;21 potassium and sulfhydryl and disulfide\ncontaining compounds;9 magnesium;21 and\ncalcium.22\nThe addition of oxalate to
Education & Reference
132,293
1Science & Mathematics
Pi To 100 Digits?
Has anyone here ever passed the pi challenge? Its where you have to say the first 100 digits or more. And I am looking for somebody japanese who said 42,000 digits of pi exactly correct in 9 hours. Iff your him, how do you do it and whats your advice to remebering the numbers?
Here are the first 25,000 digits:\n\n3.141592653589793238462643383279502884197169399375105820974944592307816&#92;\n 406286208998628034825342117067982148086513282306647093844609550582231725&#92;\n 359408128481117450284102701938521105559644622948954930381964428810975665&#92;\n 933446128475648233786783165271201909145648566923460348610454326648213393&#92;\n 607260249141273724587006606315588174881520920962829254091715364367892590&#92;\n 360011330530548820466521384146951941511609433057270365759591953092186117&#92;\n 381932611793105118548074462379962749567351885752724891227938183011949129&#92;\n 833673362440656643086021394946395224737190702179860943702770539217176293&#92;\n 176752384674818467669405132000568127145263560827785771342757789609173637&#92;\n 178721468440901224953430146549585371050792279689258923542019956112129021&#92;\n 960864034418159813629774771309960518707211349999998372978049951059731732&#92;\n 816096318595024459455346908302642522308253344685035261931188171010003137&#92;\n 838752886587533208381420617177669147303598253490428755468731159562863882&#92;\n 353787593751957781857780532171226806613001927876611195909216420198938095&#92;\n 257201065485863278865936153381827968230301952035301852968995773622599413&#92;\n 891249721775283479131515574857242454150695950829533116861727855889075098&#92;\n 381754637464939319255060400927701671139009848824012858361603563707660104&#92;\n 710181942955596198946767837449448255379774726847104047534646208046684259&#92;\n 069491293313677028989152104752162056966024058038150193511253382430035587&#92;\n 640247496473263914199272604269922796782354781636009341721641219924586315&#92;\n 030286182974555706749838505494588586926995690927210797509302955321165344&#92;\n 987202755960236480665499119881834797753566369807426542527862551818417574&#92;\n 672890977772793800081647060016145249192173217214772350141441973568548161&#92;\n 361157352552133475741849468438523323907394143334547762416862518983569485&#92;\n 562099219222184272550254256887671790494601653466804988627232791786085784&#92;\n 383827967976681454100953883786360950680064225125205117392984896084128488&#92;\n 626945604241965285022210661186306744278622039194945047123713786960956364&#92;\n 371917287467764657573962413890865832645995813390478027590099465764078951&#92;\n 269468398352595709825822620522489407726719478268482601476990902640136394&#92;\n 437455305068203496252451749399651431429809190659250937221696461515709858&#92;\n 387410597885959772975498930161753928468138268683868942774155991855925245&#92;\n 953959431049972524680845987273644695848653836736222626099124608051243884&#92;\n 390451244136549762780797715691435997700129616089441694868555848406353422&#92;\n 072225828488648158456028506016842739452267467678895252138522549954666727&#92;\n 823986456596116354886230577456498035593634568174324112515076069479451096&#92;\n 596094025228879710893145669136867228748940560101503308617928680920874760&#92;\n 917824938589009714909675985261365549781893129784821682998948722658804857&#92;\n 564014270477555132379641451523746234364542858444795265867821051141354735&#92;\n 739523113427166102135969536231442952484937187110145765403590279934403742&#92;\n 007310578539062198387447808478489683321445713868751943506430218453191048&#92;\n 481005370614680674919278191197939952061419663428754440643745123718192179&#92;\n 998391015919561814675142691239748940907186494231961567945208095146550225&#92;\n 231603881930142093762137855956638937787083039069792077346722182562599661&#92;\n 501421503068038447734549202605414665925201497442850732518666002132434088&#92;\n 190710486331734649651453905796268561005508106658796998163574736384052571&#92;\n 459102897064140110971206280439039759515677157700420337869936007230558763&#92;\n 176359421873125147120532928191826186125867321579198414848829164470609575&#92;\n 270695722091756711672291098169091528017350671274858322287183520
1,779
Pi To 100 Digits?Has anyone here ever passed the pi challenge? Its where you have to say the first 100 digits or more. And I am looking for somebody japanese who said 42,000 digits of pi exactly correct in 9 hours. Iff your him, how do you do it and whats your advice to remebering the numbers?Here are the first 25,000 digits:\n\n3.141592653589793238462643383279502884197169399375105820974944592307816&#92;\n 406286208998628034825342117067982148086513282306647093844609550582231725&#92;\n 359408128481117450284102701938521105559644622948954930381964428810975665&#92;\n 933446128475648233786783165271201909145648566923460348610454326648213393&#92;\n 607260249141273724587006606315588174881520920962829254091715364367892590&#92;\n 360011330530548820466521384146951941511609433057270365759591953092186117&#92;\n 381932611793105118548074462379962749567351885752724891227938183011949129&#92;\n 833673362440656643086021394946395224737190702179860943702770539217176293&#92;\n 176752384674818467669405132000568127145263560827785771342757789609173637&#92;\n 178721468440901224953430146549585371050792279689258923542019956112129021&#92;\n 960864034418159813629774771309960518707211349999998372978049951059731732&#92;\n 816096318595024459455346908302642522308253344685035261931188171010003137&#92;\n 838752886587533208381420617177669147303598253490428755468731159562863882&#92;\n 353787593751957781857780532171226806613001927876611195909216420198938095&#92;\n 257201065485863278865936153381827968230301952035301852968995773622599413&#92;\n 891249721775283479131515574857242454150695950829533116861727855889075098&#92;\n 381754637464939319255060400927701671139009848824012858361603563707660104&#92;\n 710181942955596198946767837449448255379774726847104047534646208046684259&#92;\n 069491293313677028989152104752162056966024058038150193511253382430035587&#92;\n 640247496473263914199272604269922796782354781636009341721641219924586315&#92;\n 030286182974555706749838505494588586926995690927210797509302955321165344&#92;\n 987202755960236480665499119881834797753566369807426542527862551818417574&#92;\n 672890977772793800081647060016145249192173217214772350141441973568548161&#92;\n 361157352552133475741849468438523323907394143334547762416862518983569485&#92;\n 562099219222184272550254256887671790494601653466804988627232791786085784&#92;\n 383827967976681454100953883786360950680064225125205117392984896084128488&#92;\n 626945604241965285022210661186306744278622039194945047123713786960956364&#92;\n 371917287467764657573962413890865832645995813390478027590099465764078951&#92;\n 269468398352595709825822620522489407726719478268482601476990902640136394&#92;\n 437455305068203496252451749399651431429809190659250937221696461515709858&#92;\n 387410597885959772975498930161753928468138268683868942774155991855925245&#92;\n 953959431049972524680845987273644695848653836736222626099124608051243884&#92;\n 390451244136549762780797715691435997700129616089441694868555848406353422&#92;\n 072225828488648158456028506016842739452267467678895252138522549954666727&#92;\n 823986456596116354886230577456498035593634568174324112515076069479451096&#92;\n 596094025228879710893145669136867228748940560101503308617928680920874760&#92;\n 917824938589009714909675985261365549781893129784821682998948722658804857&#92;\n 564014270477555132379641451523746234364542858444795265867821051141354735&#92;\n 739523113427166102135969536231442952484937187110145765403590279934403742&#92;\n 007310578539062198387447808478489683321445713868751943506430218453191048&#92;\n 481005370614680674919278191197939952061419663428754440643745123718192179&#92;\n 998391015919561814675142691239748940907186494231961567945208095146550225&#92;\n 231603881930142093762137855956638937787083039069792077346722182562599661&#92;\n 501421503068038447734549202605414665925201497442850732518666002132434088&#92;\n 190710486331734649651453905796268561005508106658796998163574736384052571&#92;\n 459102897064140110971206280439039759515677157700420337869936007230558763&#92;\n 176359421873125147120532928191826186125867321579198414848829164470609575&#92;\n 270695722091756711672291098169091528017350671274858322287183520
Science & Mathematics
132,744
2Health
baby momma drama maybe?
i got a lady pregnant on new years eve and she being an ex girlfriend called me up later to know the news. she then told me that at 1 month the doctor tried to do some kinda scopy to tell if there was a heartbeat, and now that im in the know i have told her that i am going to go with her to her next appointment. i don't know that she is really pregnant or just putting one over on me. but i will go with her to her next appointment. my real question is what do you think of this situation? Also she told me that her next appointment was for a d&c hystroscopy, which kinda sounds odd to me because i thought that was an abortion technique, and was normally done after 3 months... if any of you know anything about child birth and (i hate to say it but) baby momma drama, could you please point me in the right direction?
Hysteroscopy\n\n\n\nHysteroscopy involves looking into the cavity of the uterus with a small "scope" as pictured above. Hysteroscopy can be performed as either an office procedure or an outpatient hospital procedure. In the office it is mainly used as a diagnostic tool to help evaluate patients that have infertility, recurrent miscarriage, or abnormal bleeding. \n\nHow is hysteroscopy done in the office?\nOffice hysteroscopy is a relatively painless procedure. Usually an appointment will be made in advance for this procedure. Upon arrival you will be given a mild pain medicine (Motrin or Anaprox) to help with cramping during the procedure. You will be place in a special chair that tilts back. The doctor will then wash the vagina and cervix off with a "prep" solution. Next a local anesthetic, like the dentists use (lidocaine), will be placed in the cervix. This usually provides excellent relief of any discomfort during the procedure. The doctor with then carefully dilate the cervix to allow the "scope" to be placed into the uterus. Usually carbon dioxide gas or water is attached to the scope to allow the walls of the uterus to expand. A bright light is also attached to the scope to illuminate the cavity of the uterus. The doctor with then carefully look at the inside of the uterus and make sure it is normal. The places where the fallopian tubes enter into the uterus can usually be seen. Any abnormalities are usually discussed afterward. In most cases a small sample of the lining of the uterus is removed for examination.. This is especially true if there is any abnormal bleeding. \n\nWhat kind of problems are found with this technique?\nIf you are an infertility patient or a patient that has had multiple miscarriages, a common finding is a "septum" in the middle of the uterus. These can cause the cavity to be "split in two" and are usually totally asymptomatic. Other common finding include uterine fibroids and polyps. Fibroids and polyps commonly cause abnormal bleeding. Sometimes cancerous or precancerous growths are found. Sometimes there are no abnormal findings, but even this information can be very useful and reassuring.\n\nWhat are the risks?\nMost patients do not have any problems and can even go back to work the same day. Some patients may feel weak and have cramps that last several hours afterward. It is suggested that someone come with you that can drive you home afterward if you normally get a lot of cramps with your periods. Spotting and light bleeding like a period can occur for several days afterward and are considered normal. Serious risks are very rare but can include--\n\nBleeding \nInfection \nPerforation of the uterus with the hysteroscope \nAllergic reaction to the anesthetic \nAllergic reaction to the "prep" solution \nWhen should I call the doctor afterward?\nYou should call the doctor is you develop--\n\nA fever above 101 \nSevere lower abdominal pain \nAbnormal discharge \nHeavy bleeding \nWhat can be done if I have a "septum"?\nA septum is an extra fold of tissue down the middle of the uterus. It usually is a congenital condition that has been there your whole life. If there is no other associated abnormality of the uterus, these septum can be cut and removed using a larger "operative" hysteroscope in the operating room. These outpatient procedures are done under general or spinal anesthesia and usually you go home the same day. The septum is cut using a "wire electrode" which the doctor passes through the operating hysteroscope.\n\nWhat if I have a fibroid?\nSome fibroids can be removed by passing a "wire loop electrode" through a operative hysteroscope. The loop is used to shave away the fibroid and the pieces removed from the uterus. Only fibroids that extend into the cavity of the uterus can be removed with this technique.\n\nWhat if I have a polyp?\nPolyps are extra growths of tissue from the lining o
1,061
baby momma drama maybe?i got a lady pregnant on new years eve and she being an ex girlfriend called me up later to know the news. she then told me that at 1 month the doctor tried to do some kinda scopy to tell if there was a heartbeat, and now that im in the know i have told her that i am going to go with her to her next appointment. i don't know that she is really pregnant or just putting one over on me. but i will go with her to her next appointment. my real question is what do you think of this situation? Also she told me that her next appointment was for a d&c hystroscopy, which kinda sounds odd to me because i thought that was an abortion technique, and was normally done after 3 months... if any of you know anything about child birth and (i hate to say it but) baby momma drama, could you please point me in the right direction?Hysteroscopy\n\n\n\nHysteroscopy involves looking into the cavity of the uterus with a small "scope" as pictured above. Hysteroscopy can be performed as either an office procedure or an outpatient hospital procedure. In the office it is mainly used as a diagnostic tool to help evaluate patients that have infertility, recurrent miscarriage, or abnormal bleeding. \n\nHow is hysteroscopy done in the office?\nOffice hysteroscopy is a relatively painless procedure. Usually an appointment will be made in advance for this procedure. Upon arrival you will be given a mild pain medicine (Motrin or Anaprox) to help with cramping during the procedure. You will be place in a special chair that tilts back. The doctor will then wash the vagina and cervix off with a "prep" solution. Next a local anesthetic, like the dentists use (lidocaine), will be placed in the cervix. This usually provides excellent relief of any discomfort during the procedure. The doctor with then carefully dilate the cervix to allow the "scope" to be placed into the uterus. Usually carbon dioxide gas or water is attached to the scope to allow the walls of the uterus to expand. A bright light is also attached to the scope to illuminate the cavity of the uterus. The doctor with then carefully look at the inside of the uterus and make sure it is normal. The places where the fallopian tubes enter into the uterus can usually be seen. Any abnormalities are usually discussed afterward. In most cases a small sample of the lining of the uterus is removed for examination.. This is especially true if there is any abnormal bleeding. \n\nWhat kind of problems are found with this technique?\nIf you are an infertility patient or a patient that has had multiple miscarriages, a common finding is a "septum" in the middle of the uterus. These can cause the cavity to be "split in two" and are usually totally asymptomatic. Other common finding include uterine fibroids and polyps. Fibroids and polyps commonly cause abnormal bleeding. Sometimes cancerous or precancerous growths are found. Sometimes there are no abnormal findings, but even this information can be very useful and reassuring.\n\nWhat are the risks?\nMost patients do not have any problems and can even go back to work the same day. Some patients may feel weak and have cramps that last several hours afterward. It is suggested that someone come with you that can drive you home afterward if you normally get a lot of cramps with your periods. Spotting and light bleeding like a period can occur for several days afterward and are considered normal. Serious risks are very rare but can include--\n\nBleeding \nInfection \nPerforation of the uterus with the hysteroscope \nAllergic reaction to the anesthetic \nAllergic reaction to the "prep" solution \nWhen should I call the doctor afterward?\nYou should call the doctor is you develop--\n\nA fever above 101 \nSevere lower abdominal pain \nAbnormal discharge \nHeavy bleeding \nWhat can be done if I have a "septum"?\nA septum is an extra fold of tissue down the middle of the uterus. It usually is a congenital condition that has been there your whole life. If there is no other associated abnormality of the uterus, these septum can be cut and removed using a larger "operative" hysteroscope in the operating room. These outpatient procedures are done under general or spinal anesthesia and usually you go home the same day. The septum is cut using a "wire electrode" which the doctor passes through the operating hysteroscope.\n\nWhat if I have a fibroid?\nSome fibroids can be removed by passing a "wire loop electrode" through a operative hysteroscope. The loop is used to shave away the fibroid and the pieces removed from the uterus. Only fibroids that extend into the cavity of the uterus can be removed with this technique.\n\nWhat if I have a polyp?\nPolyps are extra growths of tissue from the lining o
Health
133,764
4Computers & Internet
how do you program an instruction set architecture in c++?
i have a program that's due this sunday and i have no idea how to start it.....it's one part of many....a small part...but i still don't know how to start it off
It almost sounds as if your project is going to eventually become a "virtual machine", or better yet a simulated computer.\n\nThe first step is to determine your instruction set. The computer will probably have the ability to perform simple arithmetic, such as add, subtract, multiply, divide, shift, jump to memory locations, etc. Each of these operations will use a unique sequence of 'bits' to identify the specific operation. For example, you can say that your machine only supports only sixteen instructions. Because it is sixteen, we can identify each instructions with four bits:\n\nMOV 0000 - move data\nADD 0001 - add data\nSUB 0010 - subtract data\nMPY 0011 - multiply data\nDIV 0100 - divide data\nAND 0101 - bitwise 'and'\nOR 0110 - bitwise 'or'\nXOR 0111 - bitwise 'exclusive or'\nNOT 1000 - invert bits\nJMP 1001 - unconditional jump\nCMP 1010 - compare values\nJEQ 1011 - jump if equal\nJL 1100 - jump if less than\nJG 1101 - jump if greater than\nJLE 1110 - jump if less or equal\nJGE 1111 - jump if greater or equal\n\nOnce you determine the instructions the computer will support, you need to determine your addressing modes. For example, an "add" instruction can work with two registers, two memory addresses, a memory address and a register, or indirect combinations of both. For each addressing mode, we will assign a sequence of bits. I'm going to choose only four addressing modes, "immediate" (where the data in the instruction is taken as a literal value), "memory" (where the data in the instruction is a memory address), "register" (where the data in the instruction is a register number) and "indirect" (where the value in a register is a memory address to where the data points). I will use two bits to identify the source addressing mode, an another two bits to identify the destination addressing mode. If the instruction only uses one destination, the second two bits would be used. This is now a total of four bits which we combine with the first four bits of the opcode. Below are the bits we will use for the modes:\n\nImmediate - 00\nRegister - 01\nMemory - 10\nIndirect Register - 11\n\nNow, we have defined a fairly competent instruction set that identifies the operations and addressing modes with only one byte of data!\n\nJust to show "mnemonics" of the assembly language of our computer, with addressing modes, consider the following:\n\nADD 10, R2 - Add number 10 to register 2 (immediate/register)\n\nADD R1, R2 - Add register 1 to register 2 (register/register)\n\nADD @MEM1, R2 - Add value in memory at MEM1 to register 2 (memory/register)\n\nADD *R1, R2 - Add value pointed to by address in register 1 to register 2 (indirect/register)\n\nNow, they would equate, in bits to the following:\nADD 10, R2 0001 00 01 (11 in hexadecimal)\nADD R1, R2 0001 01 01 (15 in hexadecimal)\nADD @MEM1, R2 0001 10 01 (19 in hexadecimal)\nADD *R1, R2 0001 11 01 (1D in hexadecimal)\n\nNote that each instruction and addressing mode is one byte, but only part of the complete instruction. You can use the bitwise and (&) operator in C++ in order to mask off the opcode and addressing modes from that single byte (unsigned char). So:\n\nopcode = byte & 0xF0; (1111 0000)\nsourcemode = byte & 0xC0; (0000 1100)\ndestmode = byte & 0x03; (0000 0011)\n\nOnce we've determine the addressing mode for each one, the next sequence of bytes after the opcode and mode would be either the immediate value, a register value or a memory address. The remainder of each instruction can be either a fixed or variable number of bytes, that is your choice.\n\nFrom there, you just process a stream of bytes and you can get the extract the operation, addressing mode, data for source and destination (or just destination if its a single operand). Next, your "virtual machine" needs to sim
1,054
how do you program an instruction set architecture in c++?i have a program that's due this sunday and i have no idea how to start it.....it's one part of many....a small part...but i still don't know how to start it offIt almost sounds as if your project is going to eventually become a "virtual machine", or better yet a simulated computer.\n\nThe first step is to determine your instruction set. The computer will probably have the ability to perform simple arithmetic, such as add, subtract, multiply, divide, shift, jump to memory locations, etc. Each of these operations will use a unique sequence of 'bits' to identify the specific operation. For example, you can say that your machine only supports only sixteen instructions. Because it is sixteen, we can identify each instructions with four bits:\n\nMOV 0000 - move data\nADD 0001 - add data\nSUB 0010 - subtract data\nMPY 0011 - multiply data\nDIV 0100 - divide data\nAND 0101 - bitwise 'and'\nOR 0110 - bitwise 'or'\nXOR 0111 - bitwise 'exclusive or'\nNOT 1000 - invert bits\nJMP 1001 - unconditional jump\nCMP 1010 - compare values\nJEQ 1011 - jump if equal\nJL 1100 - jump if less than\nJG 1101 - jump if greater than\nJLE 1110 - jump if less or equal\nJGE 1111 - jump if greater or equal\n\nOnce you determine the instructions the computer will support, you need to determine your addressing modes. For example, an "add" instruction can work with two registers, two memory addresses, a memory address and a register, or indirect combinations of both. For each addressing mode, we will assign a sequence of bits. I'm going to choose only four addressing modes, "immediate" (where the data in the instruction is taken as a literal value), "memory" (where the data in the instruction is a memory address), "register" (where the data in the instruction is a register number) and "indirect" (where the value in a register is a memory address to where the data points). I will use two bits to identify the source addressing mode, an another two bits to identify the destination addressing mode. If the instruction only uses one destination, the second two bits would be used. This is now a total of four bits which we combine with the first four bits of the opcode. Below are the bits we will use for the modes:\n\nImmediate - 00\nRegister - 01\nMemory - 10\nIndirect Register - 11\n\nNow, we have defined a fairly competent instruction set that identifies the operations and addressing modes with only one byte of data!\n\nJust to show "mnemonics" of the assembly language of our computer, with addressing modes, consider the following:\n\nADD 10, R2 - Add number 10 to register 2 (immediate/register)\n\nADD R1, R2 - Add register 1 to register 2 (register/register)\n\nADD @MEM1, R2 - Add value in memory at MEM1 to register 2 (memory/register)\n\nADD *R1, R2 - Add value pointed to by address in register 1 to register 2 (indirect/register)\n\nNow, they would equate, in bits to the following:\nADD 10, R2 0001 00 01 (11 in hexadecimal)\nADD R1, R2 0001 01 01 (15 in hexadecimal)\nADD @MEM1, R2 0001 10 01 (19 in hexadecimal)\nADD *R1, R2 0001 11 01 (1D in hexadecimal)\n\nNote that each instruction and addressing mode is one byte, but only part of the complete instruction. You can use the bitwise and (&) operator in C++ in order to mask off the opcode and addressing modes from that single byte (unsigned char). So:\n\nopcode = byte & 0xF0; (1111 0000)\nsourcemode = byte & 0xC0; (0000 1100)\ndestmode = byte & 0x03; (0000 0011)\n\nOnce we've determine the addressing mode for each one, the next sequence of bytes after the opcode and mode would be either the immediate value, a register value or a memory address. The remainder of each instruction can be either a fixed or variable number of bytes, that is your choice.\n\nFrom there, you just process a stream of bytes and you can get the extract the operation, addressing mode, data for source and destination (or just destination if its a single operand). Next, your "virtual machine" needs to sim
Computers & Internet
133,785
8Family & Relationships
i don't know how to lose weight i weigh 150 ya thats alot i whant to weigh 125 and wear size 7s in pants and
wear sizi midium in t-shirts can you help me with this one?\nbecause you know how you want to lose weight but you cant because your favorite food is right in fornt of you and you just cant help it ya i'm like that. please w/b
try taboo\nWHAT to eat for losing weight\n\n• Eat plenty of fruits and vegetables, especially NC (negative calorie) food.\n\n* Print these lists. They will be your ... "Bible", from now on !\n* Dill and parsely - include them in all your salads. Also ognion + garlic.\n* Try eat mostly fresh vegs & fruits (whenever possible, of course)\n* If you really want a book, then check this out: The Negative Calorie Diet Workbook & Cookbook - eBook (Win95/98 only). Read more about this e-book here.\n\n\n• Eat fish, chicken, beef, pork. (preferences are in this order)\n\n* If you are a vegetarian, then ignore this!\n* Avoid fat meat\n\n\n• Eat 2-3 slices of bread/day. Don't EVER exclude bread from your diet!\n\n• Snacks between meals (if needed): apples, oranges, grepfruits and other NC fruits\n\n* Don't cheat ... NO cookies, chips, candies, brownies etc! \n* EVEN if they have "low fat" indication... They might have low fat, yet they can have lots of CALORIES !!!\n\n\n• About rice, potatoes, beans, [xxx]nuts, pastry, pasta... you know!\n\n* Don't eat too much of those, at least during the first weeks of the diet. I'm not a low carb addict, but I've noticed weight gains if consuming those in large quantities, especially when associated with other foods.\n* If you like them a lot, try and eat them like one meal. A nice delicious plate of spaghetti could be your lunch (never dinner!), followed by a nice big apple. These rich starch foods are not good for dinner!\n* At dinner time, chose mainly large mixed veggies salads... with fish, lean meat or cheese (if you are not a vegetarian). \n\nif u want to lose weight the best food to it are baked potatoes with nothing on it. no salt no nothing just plain. u can eat a 10000000000 baked potatoes till ur stuff and not gain a pound. i heard that from a weight loss tape. the best drink is water or gatorade. thats a start then when you work out do some taeboo. if u want a macine. run with dumbells on a treadmill. u could do the rocky workout. but thats a new story. u could use a butterfly macine i think it works the abs\n\n1) It is not just the amount you eat, but what you eat. Lean meats and vegtables that snap are a good place to start. And by snap I mean fresh and not boiled or doused with better or whatever.\n\n2) Exercise moderatly but for about an hour every other day. Spend half of that walking or running at a good enough pace for you to feel labored. The other half of the time use weights, or exercises such as push ups or situps to get a muscle "burn". A gym is also an option, but I don't know if you have the money for or want to spend the money on it.\n\n3) Sleep well. To bed earlier and up earlier. Exercise in the morning when you wake up, not in the evening before bed. 7 hours of GOOD sleep is a must.\n\n4) Occupy yourself with a hobby that keeps your attention for a long period of time. A hobby like this keeps your mind focused and gives less of a chance for snacking from boredom.\n\nThat is a good place to start... if you see good results, keep it up and modify to fit you... if it does not, see a doctor AND a trainer \n\nKeep working out, drink water a lot, eat 5 to 6 meals a day but in small quantities, vegtables are important specially cucumber and lattice, fruits not be eaten after meals except by 2 to 3 hours, minimize the starch quantities in your meals lots of salad is important, your last meal must be before you sleep by 2 to 3 hours\nthe most important thing is you don't lose patient wait and have a strong will to be as what you want\n\nyou might have some more ideas from www.ivillage.com\n\ngood luck
1,033
i don't know how to lose weight i weigh 150 ya thats alot i whant to weigh 125 and wear size 7s in pants andwear sizi midium in t-shirts can you help me with this one?\nbecause you know how you want to lose weight but you cant because your favorite food is right in fornt of you and you just cant help it ya i'm like that. please w/btry taboo\nWHAT to eat for losing weight\n\n• Eat plenty of fruits and vegetables, especially NC (negative calorie) food.\n\n* Print these lists. They will be your ... "Bible", from now on !\n* Dill and parsely - include them in all your salads. Also ognion + garlic.\n* Try eat mostly fresh vegs & fruits (whenever possible, of course)\n* If you really want a book, then check this out: The Negative Calorie Diet Workbook & Cookbook - eBook (Win95/98 only). Read more about this e-book here.\n\n\n• Eat fish, chicken, beef, pork. (preferences are in this order)\n\n* If you are a vegetarian, then ignore this!\n* Avoid fat meat\n\n\n• Eat 2-3 slices of bread/day. Don't EVER exclude bread from your diet!\n\n• Snacks between meals (if needed): apples, oranges, grepfruits and other NC fruits\n\n* Don't cheat ... NO cookies, chips, candies, brownies etc! \n* EVEN if they have "low fat" indication... They might have low fat, yet they can have lots of CALORIES !!!\n\n\n• About rice, potatoes, beans, [xxx]nuts, pastry, pasta... you know!\n\n* Don't eat too much of those, at least during the first weeks of the diet. I'm not a low carb addict, but I've noticed weight gains if consuming those in large quantities, especially when associated with other foods.\n* If you like them a lot, try and eat them like one meal. A nice delicious plate of spaghetti could be your lunch (never dinner!), followed by a nice big apple. These rich starch foods are not good for dinner!\n* At dinner time, chose mainly large mixed veggies salads... with fish, lean meat or cheese (if you are not a vegetarian). \n\nif u want to lose weight the best food to it are baked potatoes with nothing on it. no salt no nothing just plain. u can eat a 10000000000 baked potatoes till ur stuff and not gain a pound. i heard that from a weight loss tape. the best drink is water or gatorade. thats a start then when you work out do some taeboo. if u want a macine. run with dumbells on a treadmill. u could do the rocky workout. but thats a new story. u could use a butterfly macine i think it works the abs\n\n1) It is not just the amount you eat, but what you eat. Lean meats and vegtables that snap are a good place to start. And by snap I mean fresh and not boiled or doused with better or whatever.\n\n2) Exercise moderatly but for about an hour every other day. Spend half of that walking or running at a good enough pace for you to feel labored. The other half of the time use weights, or exercises such as push ups or situps to get a muscle "burn". A gym is also an option, but I don't know if you have the money for or want to spend the money on it.\n\n3) Sleep well. To bed earlier and up earlier. Exercise in the morning when you wake up, not in the evening before bed. 7 hours of GOOD sleep is a must.\n\n4) Occupy yourself with a hobby that keeps your attention for a long period of time. A hobby like this keeps your mind focused and gives less of a chance for snacking from boredom.\n\nThat is a good place to start... if you see good results, keep it up and modify to fit you... if it does not, see a doctor AND a trainer \n\nKeep working out, drink water a lot, eat 5 to 6 meals a day but in small quantities, vegtables are important specially cucumber and lattice, fruits not be eaten after meals except by 2 to 3 hours, minimize the starch quantities in your meals lots of salad is important, your last meal must be before you sleep by 2 to 3 hours\nthe most important thing is you don't lose patient wait and have a strong will to be as what you want\n\nyou might have some more ideas from www.ivillage.com\n\ngood luck
Family & Relationships
134,657
3Education & Reference
What does the name 'Nugawela' mean?
Wednesday, 18 December 2002. The widest coverage in Sri Lanka. News. Honoured by the French Government. Dr. ... Industrial Development Centre in Rwanda in 1991. Dr. Patrick Nugawela is an old boy of St ... two French Universities. Dr. Nugawela had also undergone specialised training in Industrial ...www.dailynews.lk/2002/12/18/new21.html - 15k - Cached - More from this site - Save - Block\nMansion Nugawela - Kandy \nHotel Bookings and reservations at Sri Lanka.com ... Mansion Nugawela - Kandy. Contact Person : Srilanka.com booking service ...www.srilanka.com/travel/traveldetail/TL00225 - 9k - Cached - More from this site - Save - Block\nMaps, Weather, and Airports for Nugawela, Sri Lanka \nMaps, weather and information about Nugawela, Sri Lanka ... Google links for Nugawela. Google links for Nugawela, Sri Lanka ...www.fallingrain.com/world/CE/29/Nugawela.html - 5k - Cached - More from this site - Save - Block\nSinhala Jukebox - Dilki Nugawela \nmusic, sinhala music, sinhala songs, sri lankan music, jukebox ... Dilki Nugawela ØL¿ Ðg@vl. Page 1 of 1 [1 Tracks ...www.sinhalajukebox.org/cgi-bin/songs.cgi?action=ShowTracks&artist=A227 - 41k - Cached - More from this site - Save - Block\nFirst Lieutenant Daniel "Xervish" Nugawela - Unity Security Force - FS2004 - Battlefield 2 \nFirst Lieutenant Daniel "Xervish" Nugawela. Member Profile. Member Showcase. The members Badges, Medals, and Ribbons are displayed below in order of preference.www.legionimperium.org/profile/?id=76 - 12k - Cached - More from this site - Save - Block\nOnline edition of Sunday Observer - Business \nSunday, 13 June 2004. The widest coverage in Sri Lanka. Sports. Nugawela Central and Wallala A. Ratnayake MMV 'Big Match' this week. by S. M. Jiffrey Abdeen - Kandy Sports Corr. ... are now into the schools rugby season, but two little known schools namely Nugawela Central and Wallala A ... big match during the term. Thus Nugawela Central College and Wallala A ...www.sundayobserver.lk/2004/06/13/spo09.html - 19k - Cached - More from this site - Save - Block\nThe Law Report: 26 November 2002 - What Price - Beauty?; Legal Professional Privilege \n... the courts, was her barrister, Brian Nugawela. Brian Nugawela: She's a quietly tenacious young ... action in which compensation was sought? Brian Nugawela: Quite tragic actually Damien ...www.abc.net.au/rn/talks/8.30/lawrpt/stories/s733706.htm - 52k - Cached - More from this site - Save - Block\nThe Law Report: 26 November 2002 - What Price - Beauty?; Legal Professional Privilege \nDamien Carrick: Hallo, and welcome. ... the courts, was her barrister, Brian Nugawela. Brian Nugawela: She's a quietly tenacious young ... action in which compensation was sought? Brian Nugawela: Quite tragic actually Damien ...abc.net.au/cgi-bin/common/printfriendly.pl?.../stories/s733706.htm - 32k - Cached - More from this site - Save - Block\nOnline edition of Daily News - Features \nTuesday, 23 July 2002. The widest coverage in Sri Lanka. Features. DIYAWADANA NILAMES SINCE 1814. Produced by Lake House. Copyright 2001 The Associated Newspapers of Ceylon Ltd. Comments and suggestions to :Web Managerwww.dailynews.lk/2002/07/23/fead8.html - 17k - Cached - More from this site - Save - Block\nsri lanka, kandy, kandy hotels, sri lanka hotels, sri lanka holidays, hotels in sri lanka, hotels in kandy, kandy ... \nThis web site offers hotels in sri lanka and kandy, This web site offers hotel reservation in kandy and sri lankawww.kandyhotels.com/kandy/about_kandy/history - 39k - Cached - More from this site - Save - Block
1,077
What does the name 'Nugawela' mean?Wednesday, 18 December 2002. The widest coverage in Sri Lanka. News. Honoured by the French Government. Dr. ... Industrial Development Centre in Rwanda in 1991. Dr. Patrick Nugawela is an old boy of St ... two French Universities. Dr. Nugawela had also undergone specialised training in Industrial ...www.dailynews.lk/2002/12/18/new21.html - 15k - Cached - More from this site - Save - Block\nMansion Nugawela - Kandy \nHotel Bookings and reservations at Sri Lanka.com ... Mansion Nugawela - Kandy. Contact Person : Srilanka.com booking service ...www.srilanka.com/travel/traveldetail/TL00225 - 9k - Cached - More from this site - Save - Block\nMaps, Weather, and Airports for Nugawela, Sri Lanka \nMaps, weather and information about Nugawela, Sri Lanka ... Google links for Nugawela. Google links for Nugawela, Sri Lanka ...www.fallingrain.com/world/CE/29/Nugawela.html - 5k - Cached - More from this site - Save - Block\nSinhala Jukebox - Dilki Nugawela \nmusic, sinhala music, sinhala songs, sri lankan music, jukebox ... Dilki Nugawela ØL¿ Ðg@vl. Page 1 of 1 [1 Tracks ...www.sinhalajukebox.org/cgi-bin/songs.cgi?action=ShowTracks&artist=A227 - 41k - Cached - More from this site - Save - Block\nFirst Lieutenant Daniel "Xervish" Nugawela - Unity Security Force - FS2004 - Battlefield 2 \nFirst Lieutenant Daniel "Xervish" Nugawela. Member Profile. Member Showcase. The members Badges, Medals, and Ribbons are displayed below in order of preference.www.legionimperium.org/profile/?id=76 - 12k - Cached - More from this site - Save - Block\nOnline edition of Sunday Observer - Business \nSunday, 13 June 2004. The widest coverage in Sri Lanka. Sports. Nugawela Central and Wallala A. Ratnayake MMV 'Big Match' this week. by S. M. Jiffrey Abdeen - Kandy Sports Corr. ... are now into the schools rugby season, but two little known schools namely Nugawela Central and Wallala A ... big match during the term. Thus Nugawela Central College and Wallala A ...www.sundayobserver.lk/2004/06/13/spo09.html - 19k - Cached - More from this site - Save - Block\nThe Law Report: 26 November 2002 - What Price - Beauty?; Legal Professional Privilege \n... the courts, was her barrister, Brian Nugawela. Brian Nugawela: She's a quietly tenacious young ... action in which compensation was sought? Brian Nugawela: Quite tragic actually Damien ...www.abc.net.au/rn/talks/8.30/lawrpt/stories/s733706.htm - 52k - Cached - More from this site - Save - Block\nThe Law Report: 26 November 2002 - What Price - Beauty?; Legal Professional Privilege \nDamien Carrick: Hallo, and welcome. ... the courts, was her barrister, Brian Nugawela. Brian Nugawela: She's a quietly tenacious young ... action in which compensation was sought? Brian Nugawela: Quite tragic actually Damien ...abc.net.au/cgi-bin/common/printfriendly.pl?.../stories/s733706.htm - 32k - Cached - More from this site - Save - Block\nOnline edition of Daily News - Features \nTuesday, 23 July 2002. The widest coverage in Sri Lanka. Features. DIYAWADANA NILAMES SINCE 1814. Produced by Lake House. Copyright 2001 The Associated Newspapers of Ceylon Ltd. Comments and suggestions to :Web Managerwww.dailynews.lk/2002/07/23/fead8.html - 17k - Cached - More from this site - Save - Block\nsri lanka, kandy, kandy hotels, sri lanka hotels, sri lanka holidays, hotels in sri lanka, hotels in kandy, kandy ... \nThis web site offers hotels in sri lanka and kandy, This web site offers hotel reservation in kandy and sri lankawww.kandyhotels.com/kandy/about_kandy/history - 39k - Cached - More from this site - Save - Block
Education & Reference
136,360
5Sports
Does anyone know a good dive center in Seoul, South Korea, and how would I get to it by the subway system?
Maha Scuba S-36084\nB1,37-1, Bupyung-Dong\nI-Ga, Ghung-Gu\nBusan 600-071\nSOUTH KOREA\nPhone: 051 246 9314\nFax: 051 246 9314\nEmail Us \nOther courses offered by this facility\n\n \nSea World Dive Center S-6803\n613-1 Daeyeun 3 Dong\nNam-Gu\nBusan City 608-810\nSOUTH KOREA\nPhone: (82) 51-6263666\nFax: (82) 51-6263660\nEmail Us \nOther courses offered by this facility\n\n \nPeace Under Water S-17539\nOc-am-ri 321-4 Hong Seang-up\nHong Seon Seong-Kun\nChung-Nam\nSOUTH KOREA\nPhone: (82) 11-2657031\nFax: (82) 41-6349270\nEmail Us \nOther courses offered by this facility\n\n \nKorea Dive College S-6383\nBuk-Gu Dongchoen-Dong 933-3\nSoein Building 202\nDaegu\nSOUTH KOREA\nPhone: (82) 53-7941747\nFax: (82) 53-7811739\nEmail Us \nOther courses offered by this facility\n\n \nIn & On S-6787\n13-7, Dae-Bong 1 Dong\nJung-Gu\nDaegu City 700-809\nSOUTH KOREA\nPhone: 82 53 585 4145\nFax: (82) 53-7928767\nEmail Us \nOther courses offered by this facility\n\n \nSee Sea S-6729\n6-1 Pungam-Dong\nSeo-Gu\nGwang-Ju City 502-831\nSOUTH KOREA\nPhone: (82) 62 3751886\nFax: (82) 62 3751882\nEmail Us \nOther courses offered by this facility\n\n \nNew Seoul Diving Pool S-6251\nB3, 61-1, Haan 3 Dong\n(Jo Il) Gwang Myung-Si\nGyoung-Ki 423-849\nSOUTH KOREA\nPhone: (82) 2-8924943\nEmail Us \nOther courses offered by this facility\n\n \nBlue Zone Scuba S-36047\nSeo Cheon Ri 358-4\nGyung Gi Do, Yong In 449906\nSOUTH KOREA\nPhone: 8231 2063087\nFax: 8231 2066214\nEmail Us \nOther courses offered by this facility\n\n \nHae-Un-Dae Skin Scuba S-6184\n1400-12, Joong-1-Dong\nHae-Un-Dae-Gu Pusan 612-011\nSOUTH KOREA\nPhone: (82) 51-7431821\nFax: (82) 51-7431822\nEmail Us \nOther courses offered by this facility\n\n \nScuba Green Peace S-6305\n#477-3 Pugae-3-Dong\nPupyung-Gu\nInchon 403-103\nSOUTH KOREA\nPhone: (82) 11-2563088\nFax: (82) 32-5299111\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nScuba Tech Alpha S-3209\n82-1 Hang Dong 7KA, Chung Ku\nInchon 400-037\nSOUTH KOREA\nPhone: (82) 32-8851088\nFax: (82) 32-8851087\nEmail Us \nOther courses offered by this facility\n\n \nDive Today S-6495\n147-5 In Hoo Dong 1 Ga\nDuk Jin Gu, Jeunju\nJeon Buk\nSOUTH KOREA\nPhone: (82) 11-6823009\nEmail Us \nOther courses offered by this facility\n\n \nSeoul Dive Academy S-6533\nShin Ja Building 301 Ho\nJa Yang 2 Dong 600-15 Ho\nKwang Jin Gu, Seoul 143-865\nSOUTH KOREA\nPhone: (82) 24826997\nFax: (82) 24826963\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nAqua Marine Kwang Myoung S-6614\n#62-2 Ho, Ha-an 3 Dong\nNew Koreana B/D 106 Ho, Kwang Myoung Si\nKyoung Gido\nSOUTH KOREA\nPhone: (82) 2-8080493\nFax: (82) 2-8940493\nEmail Us \nOther courses offered by this facility\n\n \nAqua Marine Bu Cheon S-6613\n#1167-4 Ho, Jung-Dong\nWon Mi-Gu, Bu Cheon-Si\nKyoung-Gi Do\nSOUTH KOREA\nPhone: (82) 32-3251066\nFax: (82) 32-3251065\nEmail Us \nOther courses offered by this facility\n\n \nGo Diving S-6612\n#626-29 mapyoung-Dong\nYongin-Si\nKyoungki-Do\nSOUTH KOREA\nPhone: (82) 31-3365525\nFax: (82) 31-3365525\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nHayaruby Resort S-6756\n1044-3 Dajipo Mulgeunli Samdongmyun\nNam-Hae-Gun\nSOUTH KOREA\nPhone: (82) 55-8678300\nFax: (82) 55-8647278\nEmail Us \nOther courses offered by this facility\n\n \nPro Dive Korea S-6653\nSportsvill BongDuk 2 Dong\nNamgu 705-022\nSOUTH KOREA\nPhone: (82) 53-4719707\nFax: (82) 53-4719708\nEmail Us \nOther courses offered by this facility\n\n \nAqua Marine S-17289\n416-4 Dae Bang Dong Dong Jak Gu\nSeoul\nSOUTH KOREA\nPhone: (82) 2-8150373\nFax: 82 3280 7153\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nClub Nautilus S-6176\n964, Sang-ga-201 Ho, Hyundae\nGreen-apt, Do-Gok-Dong, Kang-Nam-Gu\nSeoul 135-270\nSOUTH KOREA\nPhone: (82) 2-34636976\nFax: (82) 2-34636977\nEmail Us \nOther courses offered by this facility\n\n \nIDBSEA S-36063\n2F Woori B/D 564-12\nShinsa-Do
1,787
Does anyone know a good dive center in Seoul, South Korea, and how would I get to it by the subway system?Maha Scuba S-36084\nB1,37-1, Bupyung-Dong\nI-Ga, Ghung-Gu\nBusan 600-071\nSOUTH KOREA\nPhone: 051 246 9314\nFax: 051 246 9314\nEmail Us \nOther courses offered by this facility\n\n \nSea World Dive Center S-6803\n613-1 Daeyeun 3 Dong\nNam-Gu\nBusan City 608-810\nSOUTH KOREA\nPhone: (82) 51-6263666\nFax: (82) 51-6263660\nEmail Us \nOther courses offered by this facility\n\n \nPeace Under Water S-17539\nOc-am-ri 321-4 Hong Seang-up\nHong Seon Seong-Kun\nChung-Nam\nSOUTH KOREA\nPhone: (82) 11-2657031\nFax: (82) 41-6349270\nEmail Us \nOther courses offered by this facility\n\n \nKorea Dive College S-6383\nBuk-Gu Dongchoen-Dong 933-3\nSoein Building 202\nDaegu\nSOUTH KOREA\nPhone: (82) 53-7941747\nFax: (82) 53-7811739\nEmail Us \nOther courses offered by this facility\n\n \nIn & On S-6787\n13-7, Dae-Bong 1 Dong\nJung-Gu\nDaegu City 700-809\nSOUTH KOREA\nPhone: 82 53 585 4145\nFax: (82) 53-7928767\nEmail Us \nOther courses offered by this facility\n\n \nSee Sea S-6729\n6-1 Pungam-Dong\nSeo-Gu\nGwang-Ju City 502-831\nSOUTH KOREA\nPhone: (82) 62 3751886\nFax: (82) 62 3751882\nEmail Us \nOther courses offered by this facility\n\n \nNew Seoul Diving Pool S-6251\nB3, 61-1, Haan 3 Dong\n(Jo Il) Gwang Myung-Si\nGyoung-Ki 423-849\nSOUTH KOREA\nPhone: (82) 2-8924943\nEmail Us \nOther courses offered by this facility\n\n \nBlue Zone Scuba S-36047\nSeo Cheon Ri 358-4\nGyung Gi Do, Yong In 449906\nSOUTH KOREA\nPhone: 8231 2063087\nFax: 8231 2066214\nEmail Us \nOther courses offered by this facility\n\n \nHae-Un-Dae Skin Scuba S-6184\n1400-12, Joong-1-Dong\nHae-Un-Dae-Gu Pusan 612-011\nSOUTH KOREA\nPhone: (82) 51-7431821\nFax: (82) 51-7431822\nEmail Us \nOther courses offered by this facility\n\n \nScuba Green Peace S-6305\n#477-3 Pugae-3-Dong\nPupyung-Gu\nInchon 403-103\nSOUTH KOREA\nPhone: (82) 11-2563088\nFax: (82) 32-5299111\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nScuba Tech Alpha S-3209\n82-1 Hang Dong 7KA, Chung Ku\nInchon 400-037\nSOUTH KOREA\nPhone: (82) 32-8851088\nFax: (82) 32-8851087\nEmail Us \nOther courses offered by this facility\n\n \nDive Today S-6495\n147-5 In Hoo Dong 1 Ga\nDuk Jin Gu, Jeunju\nJeon Buk\nSOUTH KOREA\nPhone: (82) 11-6823009\nEmail Us \nOther courses offered by this facility\n\n \nSeoul Dive Academy S-6533\nShin Ja Building 301 Ho\nJa Yang 2 Dong 600-15 Ho\nKwang Jin Gu, Seoul 143-865\nSOUTH KOREA\nPhone: (82) 24826997\nFax: (82) 24826963\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nAqua Marine Kwang Myoung S-6614\n#62-2 Ho, Ha-an 3 Dong\nNew Koreana B/D 106 Ho, Kwang Myoung Si\nKyoung Gido\nSOUTH KOREA\nPhone: (82) 2-8080493\nFax: (82) 2-8940493\nEmail Us \nOther courses offered by this facility\n\n \nAqua Marine Bu Cheon S-6613\n#1167-4 Ho, Jung-Dong\nWon Mi-Gu, Bu Cheon-Si\nKyoung-Gi Do\nSOUTH KOREA\nPhone: (82) 32-3251066\nFax: (82) 32-3251065\nEmail Us \nOther courses offered by this facility\n\n \nGo Diving S-6612\n#626-29 mapyoung-Dong\nYongin-Si\nKyoungki-Do\nSOUTH KOREA\nPhone: (82) 31-3365525\nFax: (82) 31-3365525\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nHayaruby Resort S-6756\n1044-3 Dajipo Mulgeunli Samdongmyun\nNam-Hae-Gun\nSOUTH KOREA\nPhone: (82) 55-8678300\nFax: (82) 55-8647278\nEmail Us \nOther courses offered by this facility\n\n \nPro Dive Korea S-6653\nSportsvill BongDuk 2 Dong\nNamgu 705-022\nSOUTH KOREA\nPhone: (82) 53-4719707\nFax: (82) 53-4719708\nEmail Us \nOther courses offered by this facility\n\n \nAqua Marine S-17289\n416-4 Dae Bang Dong Dong Jak Gu\nSeoul\nSOUTH KOREA\nPhone: (82) 2-8150373\nFax: 82 3280 7153\nEmail Us \nOther courses offered by this facility\nInstructor programs offered\n\n \nClub Nautilus S-6176\n964, Sang-ga-201 Ho, Hyundae\nGreen-apt, Do-Gok-Dong, Kang-Nam-Gu\nSeoul 135-270\nSOUTH KOREA\nPhone: (82) 2-34636976\nFax: (82) 2-34636977\nEmail Us \nOther courses offered by this facility\n\n \nIDBSEA S-36063\n2F Woori B/D 564-12\nShinsa-Do
Sports
136,936
0Society & Culture
Is this a fair description of Christianity?
An almighty God decided he was either bored or lonely so he creates a universe of immense size to house one small, third-rate planet where he can create beings whose purpose is to make him feel better by loving and adoring him. \nSince God needed to be sure his created people would only love him because they chose to love him, he gave humans the free choice not to believe him. Unfortunately, the very first human chose to ignore this God, and this God got all pissed and put a curse on the little planet and all its future inhabitants. In fact, he even created a scenario where after the first human chose to disobey, all subsequent humans would be born automatically bound for hell unless they accepted God's bizarre get-out-of-hell-free option. Rather than simply give humans the option to die and no longer exist, this God decided he would forever burn the skin off of those who didn't choose to love and adore him. \n\nThus this God, in his infinite love, informed his created people that they need to either love and adore him or they'll go to the hell he created, which basically negates the idea of giving people free will. After all, most humans will make choices they would not otherwise make when someone is holding a gun to their head. \n\nOf course, this God, knowing everything that will happen in the future, foresees that more than 95% of the people he creates (without asking us if we wanted to be created) will either not be well enough informed to get out of hell or will simply reject the idea of a need for Christian salvation. But the Christian God, knowing this in advance, still decided to create these humans even though he knew he'd end up torturing billions of them in an endless lake of fire, all so he could have a handful of the faithful to give him love and adoration. \n\nNot yet satisfied, this God decides to create his get-out-of-hell-free card by killing his own creation or by killing his own son. First he has his followers kill and burn animals because he really got off smelling the burning blood. Then he turned his son into one of his creation so he could have him beaten and killed with his blood flowing everywhere. And to top it off, he also said that those who love and adore him should then either symbolically or literally eat the human flesh and drink the human blood of his son in order to fully love and adore this God. \n\nThis God really loves spilling blood and then making people drink it. \n\nFinally, this God decided to tell his created people of this plan through a cryptic and hard to interpret set of books and then relied on his created people to join together to decide which of those books really came from this God and which ones did not. They couldn't do it based on evidence, however, so they just basically guessed. Because this God didn't decide to make it clear to all humans just how to get their get-out-of-hell-free card, this God allowed the obvious confusion to lead to thousands of different interpretations of this set of books, meaning many who think they have found God's get-out-of-hell-free card actually will still be tossed into the lake of fire by this loving God. \n\nOh, and to make it even worse, this God decides to be mute most of the time, and instead asks those who love and adore him to be his spokespeople, thus allowing all kinds of strange things to be said in his name. \n\nAmen, and pass the plate.
Um, no that would be a pretty ridiculous reduction of the grand theologies of Aquinas, Augustine, and Athanasius.\n\nI'll only deal with one of these ridiculous items - the first. \n\n"An almighty God decided he was either bored or lonely so he creates a universe of immense size..."\n\nThe Christian sense of cosmology was first expressed by Augustine in Book 11 of Confessions, essentially agreeing with modern scientific cosmology that time is a physical property of the universe, and has no applicability beyond it. \n\nThat is why the Nicene creed speaks of Christ as "eternally begotten" - since God is not passing through time, or even really old (also a temporal concept), his actions aren't really the result of "getting bored" or anything temporal like that. The anthropomorphisms of that kind may abound in scripture, but only because of our limited ability to conceive of literal timelessness.\n\nSince you basically blew the first premise, the rest, which reside on them, fail. So I'll leave it alone (other than to snicker a little at "whose purpose is to make him feel better" - I can't decide whether that is banal or actually funny. :-)
1,027
Is this a fair description of Christianity?An almighty God decided he was either bored or lonely so he creates a universe of immense size to house one small, third-rate planet where he can create beings whose purpose is to make him feel better by loving and adoring him. \nSince God needed to be sure his created people would only love him because they chose to love him, he gave humans the free choice not to believe him. Unfortunately, the very first human chose to ignore this God, and this God got all pissed and put a curse on the little planet and all its future inhabitants. In fact, he even created a scenario where after the first human chose to disobey, all subsequent humans would be born automatically bound for hell unless they accepted God's bizarre get-out-of-hell-free option. Rather than simply give humans the option to die and no longer exist, this God decided he would forever burn the skin off of those who didn't choose to love and adore him. \n\nThus this God, in his infinite love, informed his created people that they need to either love and adore him or they'll go to the hell he created, which basically negates the idea of giving people free will. After all, most humans will make choices they would not otherwise make when someone is holding a gun to their head. \n\nOf course, this God, knowing everything that will happen in the future, foresees that more than 95% of the people he creates (without asking us if we wanted to be created) will either not be well enough informed to get out of hell or will simply reject the idea of a need for Christian salvation. But the Christian God, knowing this in advance, still decided to create these humans even though he knew he'd end up torturing billions of them in an endless lake of fire, all so he could have a handful of the faithful to give him love and adoration. \n\nNot yet satisfied, this God decides to create his get-out-of-hell-free card by killing his own creation or by killing his own son. First he has his followers kill and burn animals because he really got off smelling the burning blood. Then he turned his son into one of his creation so he could have him beaten and killed with his blood flowing everywhere. And to top it off, he also said that those who love and adore him should then either symbolically or literally eat the human flesh and drink the human blood of his son in order to fully love and adore this God. \n\nThis God really loves spilling blood and then making people drink it. \n\nFinally, this God decided to tell his created people of this plan through a cryptic and hard to interpret set of books and then relied on his created people to join together to decide which of those books really came from this God and which ones did not. They couldn't do it based on evidence, however, so they just basically guessed. Because this God didn't decide to make it clear to all humans just how to get their get-out-of-hell-free card, this God allowed the obvious confusion to lead to thousands of different interpretations of this set of books, meaning many who think they have found God's get-out-of-hell-free card actually will still be tossed into the lake of fire by this loving God. \n\nOh, and to make it even worse, this God decides to be mute most of the time, and instead asks those who love and adore him to be his spokespeople, thus allowing all kinds of strange things to be said in his name. \n\nAmen, and pass the plate.Um, no that would be a pretty ridiculous reduction of the grand theologies of Aquinas, Augustine, and Athanasius.\n\nI'll only deal with one of these ridiculous items - the first. \n\n"An almighty God decided he was either bored or lonely so he creates a universe of immense size..."\n\nThe Christian sense of cosmology was first expressed by Augustine in Book 11 of Confessions, essentially agreeing with modern scientific cosmology that time is a physical property of the universe, and has no applicability beyond it. \n\nThat is why the Nicene creed speaks of Christ as "eternally begotten" - since God is not passing through time, or even really old (also a temporal concept), his actions aren't really the result of "getting bored" or anything temporal like that. The anthropomorphisms of that kind may abound in scripture, but only because of our limited ability to conceive of literal timelessness.\n\nSince you basically blew the first premise, the rest, which reside on them, fail. So I'll leave it alone (other than to snicker a little at "whose purpose is to make him feel better" - I can't decide whether that is banal or actually funny. :-)
Society & Culture
138,032
3Education & Reference
i want to teaching in school as math teacher,what is the method of cv,pleas give an example?
To get yourself noticed it is important to use a CV format which will best represent you in the jobs market. There are any number of ways of laying out a CV, but these can in fact be reduced to 5 basic examples:\nChronological CV (traditional approach - superseded by the Performance CV), Functional CV, Performance CV (an updated form of the \nChronological\nCV), Targeted CV and Alternative CV. Each of these formats has its\nadvantages and disadvantages (see below).\n\nIn general the Performance CV works best for most people, assuming that\nyou are staying in the same field. If this format is unsuitable for you\nthen you could try either the Functional or Targeted CV formats and see\nwhich reads/looks better for you. Even if you create a Performance CV\nfor yourself, there are times when a Functional/Targeted CV may help \nyou\nsecure an interview when a Performance CV would fail.\n\n\nPerformance CV\n\n\nIn a Performance CV\n your employment history is shown in reverse\nchronological order, with your most recent job first. Job titles and\ncompany names are strongly emphasised and duties and achievements are\ndescribed under each job title. You should use a Performance CV when \nyou\nare seeking a job which is directly in line with your past experiences\nor your last employer was a household name. The only difference between\na Chronological CV and a Performance CV is that the Performance CV\nhighlights a list of your major achievements near the start of your CV.\n\n\nAdvantages:\n\n\n1. If you are planning to stay in the same field/work area. \n2. If you want to show-off your promotions. \n3. If the name of your last employer is highly prestigious. \n4. Most people prefer this format to the other formats listed here\nbecause it is easy to see who you have worked for and what you did in\neach particular job. \n\n\nDisadvantages:\n\n\n1. If you are planning\n to change career direction. \n2. If you have frequently changed employer. \n3. If your work history has been patchy in recent years, either\nthrough unemployment, redundancy, self-employment, ill health, etc. \n4. If you do not have many achievements (you could just leave out\nthe achievements section as in a traditional Chronological CV) or your\nachievements are not in line with what you want to do now - either \nleave\nout the achievements section or consider using a Functional or Targeted\nCV. \n\n\nFunctional CV\n\n\nThis type of CV highlights the main functions/achievements of your \nwhole\ncareer and it can therefore be very useful if you have had a varied\ncareer or you are seeking a change of career direction. In this format,\njob titles and company names are given less dominance or even omitted \nin\nsome cases.\n\n\nAdvantages:\n\n\n1. If you want to emphasise abilities and achievements that have\nnot been used in\n your most recent job(s). \n2. If you are changing career direction. \n3. If you have had a large number of jobs and you would prefer to\ndescribe the experience you have gained in total. \n4. If you want to include voluntary/unpaid experience. \n5. If your work history has been patchy in recent years, either\nthrough unemployment, redundancy, self-employment, ill health, etc. \n\n\nDisadvantages:\n\n\n1. If you want to highlight promotions/career growth - you could\ninclude this sort of information on the second page of your CV, but it\nwould not be as prominent as on a Performance CV. \n2. If your most recent employer is highly prestigious, because\ntheir name will not be prominently displayed on the first page. You can\nget round this by putting their name in both the profile and cover\nletter. \n3. If your job has only a limited number of functions. \n4. Unusual CV format - may not be liked by everyone. \n\n\nTargeted\n CV\n\n\nThis type of CV emphasises your abilities and achievements which are\ndirectly relevant to a specific job target. It is best used when you \nare\nplanning a change of career direction.\n\n\nAdvantages:\n\n\n1. If you want to
1,040
i want to teaching in school as math teacher,what is the method of cv,pleas give an example?To get yourself noticed it is important to use a CV format which will best represent you in the jobs market. There are any number of ways of laying out a CV, but these can in fact be reduced to 5 basic examples:\nChronological CV (traditional approach - superseded by the Performance CV), Functional CV, Performance CV (an updated form of the \nChronological\nCV), Targeted CV and Alternative CV. Each of these formats has its\nadvantages and disadvantages (see below).\n\nIn general the Performance CV works best for most people, assuming that\nyou are staying in the same field. If this format is unsuitable for you\nthen you could try either the Functional or Targeted CV formats and see\nwhich reads/looks better for you. Even if you create a Performance CV\nfor yourself, there are times when a Functional/Targeted CV may help \nyou\nsecure an interview when a Performance CV would fail.\n\n\nPerformance CV\n\n\nIn a Performance CV\n your employment history is shown in reverse\nchronological order, with your most recent job first. Job titles and\ncompany names are strongly emphasised and duties and achievements are\ndescribed under each job title. You should use a Performance CV when \nyou\nare seeking a job which is directly in line with your past experiences\nor your last employer was a household name. The only difference between\na Chronological CV and a Performance CV is that the Performance CV\nhighlights a list of your major achievements near the start of your CV.\n\n\nAdvantages:\n\n\n1. If you are planning to stay in the same field/work area. \n2. If you want to show-off your promotions. \n3. If the name of your last employer is highly prestigious. \n4. Most people prefer this format to the other formats listed here\nbecause it is easy to see who you have worked for and what you did in\neach particular job. \n\n\nDisadvantages:\n\n\n1. If you are planning\n to change career direction. \n2. If you have frequently changed employer. \n3. If your work history has been patchy in recent years, either\nthrough unemployment, redundancy, self-employment, ill health, etc. \n4. If you do not have many achievements (you could just leave out\nthe achievements section as in a traditional Chronological CV) or your\nachievements are not in line with what you want to do now - either \nleave\nout the achievements section or consider using a Functional or Targeted\nCV. \n\n\nFunctional CV\n\n\nThis type of CV highlights the main functions/achievements of your \nwhole\ncareer and it can therefore be very useful if you have had a varied\ncareer or you are seeking a change of career direction. In this format,\njob titles and company names are given less dominance or even omitted \nin\nsome cases.\n\n\nAdvantages:\n\n\n1. If you want to emphasise abilities and achievements that have\nnot been used in\n your most recent job(s). \n2. If you are changing career direction. \n3. If you have had a large number of jobs and you would prefer to\ndescribe the experience you have gained in total. \n4. If you want to include voluntary/unpaid experience. \n5. If your work history has been patchy in recent years, either\nthrough unemployment, redundancy, self-employment, ill health, etc. \n\n\nDisadvantages:\n\n\n1. If you want to highlight promotions/career growth - you could\ninclude this sort of information on the second page of your CV, but it\nwould not be as prominent as on a Performance CV. \n2. If your most recent employer is highly prestigious, because\ntheir name will not be prominently displayed on the first page. You can\nget round this by putting their name in both the profile and cover\nletter. \n3. If your job has only a limited number of functions. \n4. Unusual CV format - may not be liked by everyone. \n\n\nTargeted\n CV\n\n\nThis type of CV emphasises your abilities and achievements which are\ndirectly relevant to a specific job target. It is best used when you \nare\nplanning a change of career direction.\n\n\nAdvantages:\n\n\n1. If you want to
Education & Reference
138,113
2Health
how can you lose a lot of weight like 100lbs in a yr?
im 15 yrs. old and have always been overweight (i might be classified as obese??) i weigh like 268 or around 270...i have tried to exercise at the YMCA but lately i have stopped because i have so much homework and that is the top priority for me i need good grades. i try to cut back on foods but when i see something i NEED! to have it. im addicted to food.i want to lose weight but it doesnt work for me. i cant join another club because my mom is struggling with money already. and i need to lose at least 135lbs in like 2 1/2 yrs because i wnat to look pretty and buy them little skirts and things and i dont want to develop diabetes or heart disease. \ni also have stretch marks what would be the best product to use...i have mederma or the cocoa one i think its palmers???please help me....
try taboo\nWHAT to eat for losing weight\n\n• Eat plenty of fruits and vegetables, especially NC (negative calorie) food.\n\n* Print these lists. They will be your ... "Bible", from now on !\n* Dill and parsely - include them in all your salads. Also ognion + garlic.\n* Try eat mostly fresh vegs & fruits (whenever possible, of course)\n* If you really want a book, then check this out: The Negative Calorie Diet Workbook & Cookbook - eBook (Win95/98 only). Read more about this e-book here.\n\n\n• Eat fish, chicken, beef, pork. (preferences are in this order)\n\n* If you are a vegetarian, then ignore this!\n* Avoid fat meat\n\n\n• Eat 2-3 slices of bread/day. Don't EVER exclude bread from your diet!\n\n• Snacks between meals (if needed): apples, oranges, grepfruits and other NC fruits\n\n* Don't cheat ... NO cookies, chips, candies, brownies etc! \n* EVEN if they have "low fat" indication... They might have low fat, yet they can have lots of CALORIES !!!\n\n\n• About rice, potatoes, beans, [xxx]nuts, pastry, pasta... you know!\n\n* Don't eat too much of those, at least during the first weeks of the diet. I'm not a low carb addict, but I've noticed weight gains if consuming those in large quantities, especially when associated with other foods.\n* If you like them a lot, try and eat them like one meal. A nice delicious plate of spaghetti could be your lunch (never dinner!), followed by a nice big apple. These rich starch foods are not good for dinner!\n* At dinner time, chose mainly large mixed veggies salads... with fish, lean meat or cheese (if you are not a vegetarian). \n\nif u want to lose weight the best food to it are baked potatoes with nothing on it. no salt no nothing just plain. u can eat a 10000000000 baked potatoes till ur stuff and not gain a pound. i heard that from a weight loss tape. the best drink is water or gatorade. thats a start then when you work out do some taeboo. if u want a macine. run with dumbells on a treadmill. u could do the rocky workout. but thats a new story. u could use a butterfly macine i think it works the abs\n\n1) It is not just the amount you eat, but what you eat. Lean meats and vegtables that snap are a good place to start. And by snap I mean fresh and not boiled or doused with better or whatever.\n\n2) Exercise moderatly but for about an hour every other day. Spend half of that walking or running at a good enough pace for you to feel labored. The other half of the time use weights, or exercises such as push ups or situps to get a muscle "burn". A gym is also an option, but I don't know if you have the money for or want to spend the money on it.\n\n3) Sleep well. To bed earlier and up earlier. Exercise in the morning when you wake up, not in the evening before bed. 7 hours of GOOD sleep is a must.\n\n4) Occupy yourself with a hobby that keeps your attention for a long period of time. A hobby like this keeps your mind focused and gives less of a chance for snacking from boredom.\n\nThat is a good place to start... if you see good results, keep it up and modify to fit you... if it does not, see a doctor AND a trainer \n\nKeep working out, drink water a lot, eat 5 to 6 meals a day but in small quantities, vegtables are important specially cucumber and lattice, fruits not be eaten after meals except by 2 to 3 hours, minimize the starch quantities in your meals lots of salad is important, your last meal must be before you sleep by 2 to 3 hours\nthe most important thing is you don't lose patient wait and have a strong will to be as what you want\n\nyou might have some more ideas from www.ivillage.com\n\ngood luck
1,154
how can you lose a lot of weight like 100lbs in a yr?im 15 yrs. old and have always been overweight (i might be classified as obese??) i weigh like 268 or around 270...i have tried to exercise at the YMCA but lately i have stopped because i have so much homework and that is the top priority for me i need good grades. i try to cut back on foods but when i see something i NEED! to have it. im addicted to food.i want to lose weight but it doesnt work for me. i cant join another club because my mom is struggling with money already. and i need to lose at least 135lbs in like 2 1/2 yrs because i wnat to look pretty and buy them little skirts and things and i dont want to develop diabetes or heart disease. \ni also have stretch marks what would be the best product to use...i have mederma or the cocoa one i think its palmers???please help me....try taboo\nWHAT to eat for losing weight\n\n• Eat plenty of fruits and vegetables, especially NC (negative calorie) food.\n\n* Print these lists. They will be your ... "Bible", from now on !\n* Dill and parsely - include them in all your salads. Also ognion + garlic.\n* Try eat mostly fresh vegs & fruits (whenever possible, of course)\n* If you really want a book, then check this out: The Negative Calorie Diet Workbook & Cookbook - eBook (Win95/98 only). Read more about this e-book here.\n\n\n• Eat fish, chicken, beef, pork. (preferences are in this order)\n\n* If you are a vegetarian, then ignore this!\n* Avoid fat meat\n\n\n• Eat 2-3 slices of bread/day. Don't EVER exclude bread from your diet!\n\n• Snacks between meals (if needed): apples, oranges, grepfruits and other NC fruits\n\n* Don't cheat ... NO cookies, chips, candies, brownies etc! \n* EVEN if they have "low fat" indication... They might have low fat, yet they can have lots of CALORIES !!!\n\n\n• About rice, potatoes, beans, [xxx]nuts, pastry, pasta... you know!\n\n* Don't eat too much of those, at least during the first weeks of the diet. I'm not a low carb addict, but I've noticed weight gains if consuming those in large quantities, especially when associated with other foods.\n* If you like them a lot, try and eat them like one meal. A nice delicious plate of spaghetti could be your lunch (never dinner!), followed by a nice big apple. These rich starch foods are not good for dinner!\n* At dinner time, chose mainly large mixed veggies salads... with fish, lean meat or cheese (if you are not a vegetarian). \n\nif u want to lose weight the best food to it are baked potatoes with nothing on it. no salt no nothing just plain. u can eat a 10000000000 baked potatoes till ur stuff and not gain a pound. i heard that from a weight loss tape. the best drink is water or gatorade. thats a start then when you work out do some taeboo. if u want a macine. run with dumbells on a treadmill. u could do the rocky workout. but thats a new story. u could use a butterfly macine i think it works the abs\n\n1) It is not just the amount you eat, but what you eat. Lean meats and vegtables that snap are a good place to start. And by snap I mean fresh and not boiled or doused with better or whatever.\n\n2) Exercise moderatly but for about an hour every other day. Spend half of that walking or running at a good enough pace for you to feel labored. The other half of the time use weights, or exercises such as push ups or situps to get a muscle "burn". A gym is also an option, but I don't know if you have the money for or want to spend the money on it.\n\n3) Sleep well. To bed earlier and up earlier. Exercise in the morning when you wake up, not in the evening before bed. 7 hours of GOOD sleep is a must.\n\n4) Occupy yourself with a hobby that keeps your attention for a long period of time. A hobby like this keeps your mind focused and gives less of a chance for snacking from boredom.\n\nThat is a good place to start... if you see good results, keep it up and modify to fit you... if it does not, see a doctor AND a trainer \n\nKeep working out, drink water a lot, eat 5 to 6 meals a day but in small quantities, vegtables are important specially cucumber and lattice, fruits not be eaten after meals except by 2 to 3 hours, minimize the starch quantities in your meals lots of salad is important, your last meal must be before you sleep by 2 to 3 hours\nthe most important thing is you don't lose patient wait and have a strong will to be as what you want\n\nyou might have some more ideas from www.ivillage.com\n\ngood luck
Health
139,897
6Business & Finance
if jesus was a jew how come christians arent all jews?
Because the religion of Christianity contradicts the most basic beliefs of Judaism.\n\nPLEASE look at the following::\nhttp://WhatJewsBelieve.org\n\nThe basic beliefs of Christianity about Jesus are against what the Bible says, and so Real Jews cannot believe in Jesus at all.\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The messiah is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and c
1,077
if jesus was a jew how come christians arent all jews?Because the religion of Christianity contradicts the most basic beliefs of Judaism.\n\nPLEASE look at the following::\nhttp://WhatJewsBelieve.org\n\nThe basic beliefs of Christianity about Jesus are against what the Bible says, and so Real Jews cannot believe in Jesus at all.\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The messiah is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and c
Business & Finance
140,464
0Society & Culture
Why do turtles and trees live longer than men? THE BIBLE'S ANSWER!!?
WHY DO TURTLES LIVE LONGER THAN MEN?\n( IS THERE HOPE FOR US )\n\n We are supposed to be the dominant specie on earth, yet a turtle (named George) in Galapagos Island is said to be 300 years old. Or, take a sequoia tree in California it’s been around for 3,000 years. Yet, man’s average life span is only 80 years give or take a few more. Why is this so?\n If you are a religious person (Muslim, Christian, Jewish, etc) likely you would have been taught that God loves us. Yet, have you considered this paradox: ‘if God loves us, then why do turtles and trees live longer than men’? Does God love turtles and trees more than men?\n Many probably have asked this question—in one form or another—from their Imams, priest, pastor, or rabbi. But, sadly they did not get any satisfactory answer. In all probability your religion teacher would have told you that our lives on this earth is only temporary. We are bound to go to heaven and be united with Allah, or God. \n But, this kind of answer raises more questions than settle the issue. If we—meaning the meek and kind among us—are bound for heaven, then why did God create us on earth and not in heaven? Why were Adam and Eve placed on earth and not in heaven? Or, why did God bring the Jews—after miraculously parting the Red Sea—to the Promised Land and not just brought them to heaven?\n Look no further. The answer lies in the Bible. It claims to be God’s words so it must contain the answers to life’s most difficult questions—including why turtles live longer than men. ( Exodus 34:27; 2Timothy 3:16)\n In the beginning, God placed the first humans—Adam and Eve—on a beautiful paradise called Eden. They were to take care of it. In other words make the whole earth just like Eden, a Paradise. ( Genesis 1:27-29; 2:15 ) To remind them that He is their Sovereign King he made just one law for them to obey—THEY NO EAT THAT FRUIT, THEY NO DIE.—Genesis 2:17 ( Well, not exactly on those words, just so you smile and break your “ho- ho-hum—there-goes-the-preacher” syndrome.) Imagine the \n\n\n\n\n\n\n\nimplication of those words! If Adam and Eve did not eat that fruit, if they did not rebel against God, and followed Satan instead, they would still be around much longer than George the turtle, and Sequioa the tree! And, the whole earth would have been a paradise! \n Yes, Bob (or Hammad, or whoever you are) we were created by our Heavenly father not just to live for 80 or so years. We were supposed to spend life eternally on a paradise earth. Try reading Psalm 37:28,29; 115:16. Or, if you happen to open Isaiah’s book read chapter 45, verse 18.\n After, Adam and Eve’s fall, their children (our) lives became shorter and shorter. At first, God gave the early humans centuries to live. For example, Methuselah lived for 967 years. (Genesis 5:27) Then we became so bad. Before Noah’s flood, God shortened our average life span to just 120 years. (Genesis 6:3) Apparently we forgot the lesson about the flood—we fornicated left and right, worship other gods, etc—that God got angry with us. Israel—the people of the Book—is our model for disobedience. We grew from bad to worse. Moses, under inspiration by God, said that our average life span would be around 70 or so years. ( Psalm 90:8-10)\n But, remember that God is Almighty. Whatever he said should come true—or he is not God. ( Isaiah 55:11) Remember, he purposed the earth to become a paradise, and be populated with men-- obedient and meek ones of course—who will live not just for a few thousand or million of years, but eternally. Read again Psalm 37:28,29. This time add John 17:3. \n How will God restore Paradise on earth? Jesus Christ, his Son, gave us the answer when he taught us how to pray. Let your Kingdom come, Jesus said. Your will be done on earth, he added. ( Matthew 6:10) Actually, when he was still on earth, Jesus gave us a fore-gleam of God’s ki
Once the earth has been restored to paradise by Jehovah, humans will live forever.
1,077
Why do turtles and trees live longer than men? THE BIBLE'S ANSWER!!?WHY DO TURTLES LIVE LONGER THAN MEN?\n( IS THERE HOPE FOR US )\n\n We are supposed to be the dominant specie on earth, yet a turtle (named George) in Galapagos Island is said to be 300 years old. Or, take a sequoia tree in California it’s been around for 3,000 years. Yet, man’s average life span is only 80 years give or take a few more. Why is this so?\n If you are a religious person (Muslim, Christian, Jewish, etc) likely you would have been taught that God loves us. Yet, have you considered this paradox: ‘if God loves us, then why do turtles and trees live longer than men’? Does God love turtles and trees more than men?\n Many probably have asked this question—in one form or another—from their Imams, priest, pastor, or rabbi. But, sadly they did not get any satisfactory answer. In all probability your religion teacher would have told you that our lives on this earth is only temporary. We are bound to go to heaven and be united with Allah, or God. \n But, this kind of answer raises more questions than settle the issue. If we—meaning the meek and kind among us—are bound for heaven, then why did God create us on earth and not in heaven? Why were Adam and Eve placed on earth and not in heaven? Or, why did God bring the Jews—after miraculously parting the Red Sea—to the Promised Land and not just brought them to heaven?\n Look no further. The answer lies in the Bible. It claims to be God’s words so it must contain the answers to life’s most difficult questions—including why turtles live longer than men. ( Exodus 34:27; 2Timothy 3:16)\n In the beginning, God placed the first humans—Adam and Eve—on a beautiful paradise called Eden. They were to take care of it. In other words make the whole earth just like Eden, a Paradise. ( Genesis 1:27-29; 2:15 ) To remind them that He is their Sovereign King he made just one law for them to obey—THEY NO EAT THAT FRUIT, THEY NO DIE.—Genesis 2:17 ( Well, not exactly on those words, just so you smile and break your “ho- ho-hum—there-goes-the-preacher” syndrome.) Imagine the \n\n\n\n\n\n\n\nimplication of those words! If Adam and Eve did not eat that fruit, if they did not rebel against God, and followed Satan instead, they would still be around much longer than George the turtle, and Sequioa the tree! And, the whole earth would have been a paradise! \n Yes, Bob (or Hammad, or whoever you are) we were created by our Heavenly father not just to live for 80 or so years. We were supposed to spend life eternally on a paradise earth. Try reading Psalm 37:28,29; 115:16. Or, if you happen to open Isaiah’s book read chapter 45, verse 18.\n After, Adam and Eve’s fall, their children (our) lives became shorter and shorter. At first, God gave the early humans centuries to live. For example, Methuselah lived for 967 years. (Genesis 5:27) Then we became so bad. Before Noah’s flood, God shortened our average life span to just 120 years. (Genesis 6:3) Apparently we forgot the lesson about the flood—we fornicated left and right, worship other gods, etc—that God got angry with us. Israel—the people of the Book—is our model for disobedience. We grew from bad to worse. Moses, under inspiration by God, said that our average life span would be around 70 or so years. ( Psalm 90:8-10)\n But, remember that God is Almighty. Whatever he said should come true—or he is not God. ( Isaiah 55:11) Remember, he purposed the earth to become a paradise, and be populated with men-- obedient and meek ones of course—who will live not just for a few thousand or million of years, but eternally. Read again Psalm 37:28,29. This time add John 17:3. \n How will God restore Paradise on earth? Jesus Christ, his Son, gave us the answer when he taught us how to pray. Let your Kingdom come, Jesus said. Your will be done on earth, he added. ( Matthew 6:10) Actually, when he was still on earth, Jesus gave us a fore-gleam of God’s kiOnce the earth has been restored to paradise by Jehovah, humans will live forever.
Society & Culture
140,991
2Health
I'm a 27/f who needs a natural cure for acne. I'm healthy,not on meds,eat organic foods,& have done cleanses!
It's been a struggle since I was 12. Nobody else in my family has this problem. I had it SOMEWHAT under control when I was on birth control. But I don't want to be on that anymore, it makes me fat and depressed. So, are there any natural cures that might manipulate that "special" hormone that helps acne? Help!!! I have tried EVERYTHING from baking soda, toothpaste, body cleanses, pills, RetinA, Benzoyl P, Salycilic acid, proactiv, clay masks, etc. etc. etc.
Fellow 27/f here...I have a couple suggestions for you. I have struggle with this problem since my teen years and have literally tried everything!! I finally went on Accutane at 18 and it was so horrible, but I stuck it out and it got rid of my acne, minus a break out here or there. At 26, my acne came back in Full force! I am determined never to harm my body with horrible drugs like I did when I was 18, so I am trying a more natural approach. \n\n1) Use hydrogen peroxide as an astringent after you wash your face. It will help kill off the bacteria on your face and eat away at some of that nasty stuff.\n2) I haven't tried this, but I read today that you could dab honey on a pimple and put a bandaid over it...overnight. Apparently, honey has something in it that produces hydrogen peroxide, so putting it on the pimple will basically release this stuff over night on your pimple. Interesting I thought!\n3) If you are looking for a great face line that will help you get that stuff cleared up, get rid of fine lines and other blotches in the skin, I know of a great one. So good in fact, that I signed up this month to be able to buy the products at wholesale, because they are that good. Probably on here, this comes across as a weird sales pitch, but I'm 100% honest when I say that this product line changed the way I looked at the cosmetics and health and beauty industry.\n\nDid you know that cosmetic products virtually aren't regulated at all? They can basically put whatever they want in the products, and they do. This includes animal byproducts...you said you eat organic foods, but what are you putting on your skin? I just realized about a month ago, through research, that before I have taken 1 bite of food in the morning, I have put large quantities of dead animals on my skin. GROSS! So I made a switch.\n\nThe products I am talking about are by Arbonne International. You can look them up online. If you email me, I would love to give you more info and see if they might work for you too. I am not in this to make money, but I will "sell" you the products for the wholesale cost I get if you are interested in trying them. No pressure whatsoever, but it is worth looking in to. Best of luck.\n\n*******************************\nLisa, if you consider this "regulation" then you need to get your head checked.\n\n"Under the Federal Food, Drug, and Cosmetic (FD&C) Act, cosmetics and their ingredients are not required to undergo approval before they are sold to the public. Generally, FDA regulates these products after they have been released to the marketplace. This means that manufacturers may use any ingredient or raw material, except for color additives and a few prohibited substances, to market a product without a government review or approval."\n\nThis is a DIRECT quote from the FDAs webpage. Source posted below. \n\nAs to having to go to a "Professional", I am and have been going to a dermatologist for years. NEVER to have my acne cleared up EXCEPT when on accutane. And if you read the testamonies AGAINST that, including my own, you will NEVER touch the stuff. My dermatologist, with all his medications, can't take care of my acne apparently...or doesn't want to, because it isn't in his best interest. Neither could the other 3 dermatologists I've been to in my life. So, I took it upon myself to research and research and research. I am providing what I have found...and miraculously, IT IS WORKING! So Lisa, keep you nose out of it, because obviously YOU haven't been through this. For all your KNOWLEDGE, you know nothing.\n\n*******************************\nI've also posted a link to a list of cosmetic "ingredients" that are or may be derived from animals. Now, you may not think too much about animal cruelty, or that may not be a huge factor for you, but think of it this way. Animals that are grown and bred for specific purposes are treated with antibiotics,
1,055
I'm a 27/f who needs a natural cure for acne. I'm healthy,not on meds,eat organic foods,& have done cleanses!It's been a struggle since I was 12. Nobody else in my family has this problem. I had it SOMEWHAT under control when I was on birth control. But I don't want to be on that anymore, it makes me fat and depressed. So, are there any natural cures that might manipulate that "special" hormone that helps acne? Help!!! I have tried EVERYTHING from baking soda, toothpaste, body cleanses, pills, RetinA, Benzoyl P, Salycilic acid, proactiv, clay masks, etc. etc. etc.Fellow 27/f here...I have a couple suggestions for you. I have struggle with this problem since my teen years and have literally tried everything!! I finally went on Accutane at 18 and it was so horrible, but I stuck it out and it got rid of my acne, minus a break out here or there. At 26, my acne came back in Full force! I am determined never to harm my body with horrible drugs like I did when I was 18, so I am trying a more natural approach. \n\n1) Use hydrogen peroxide as an astringent after you wash your face. It will help kill off the bacteria on your face and eat away at some of that nasty stuff.\n2) I haven't tried this, but I read today that you could dab honey on a pimple and put a bandaid over it...overnight. Apparently, honey has something in it that produces hydrogen peroxide, so putting it on the pimple will basically release this stuff over night on your pimple. Interesting I thought!\n3) If you are looking for a great face line that will help you get that stuff cleared up, get rid of fine lines and other blotches in the skin, I know of a great one. So good in fact, that I signed up this month to be able to buy the products at wholesale, because they are that good. Probably on here, this comes across as a weird sales pitch, but I'm 100% honest when I say that this product line changed the way I looked at the cosmetics and health and beauty industry.\n\nDid you know that cosmetic products virtually aren't regulated at all? They can basically put whatever they want in the products, and they do. This includes animal byproducts...you said you eat organic foods, but what are you putting on your skin? I just realized about a month ago, through research, that before I have taken 1 bite of food in the morning, I have put large quantities of dead animals on my skin. GROSS! So I made a switch.\n\nThe products I am talking about are by Arbonne International. You can look them up online. If you email me, I would love to give you more info and see if they might work for you too. I am not in this to make money, but I will "sell" you the products for the wholesale cost I get if you are interested in trying them. No pressure whatsoever, but it is worth looking in to. Best of luck.\n\n*******************************\nLisa, if you consider this "regulation" then you need to get your head checked.\n\n"Under the Federal Food, Drug, and Cosmetic (FD&C) Act, cosmetics and their ingredients are not required to undergo approval before they are sold to the public. Generally, FDA regulates these products after they have been released to the marketplace. This means that manufacturers may use any ingredient or raw material, except for color additives and a few prohibited substances, to market a product without a government review or approval."\n\nThis is a DIRECT quote from the FDAs webpage. Source posted below. \n\nAs to having to go to a "Professional", I am and have been going to a dermatologist for years. NEVER to have my acne cleared up EXCEPT when on accutane. And if you read the testamonies AGAINST that, including my own, you will NEVER touch the stuff. My dermatologist, with all his medications, can't take care of my acne apparently...or doesn't want to, because it isn't in his best interest. Neither could the other 3 dermatologists I've been to in my life. So, I took it upon myself to research and research and research. I am providing what I have found...and miraculously, IT IS WORKING! So Lisa, keep you nose out of it, because obviously YOU haven't been through this. For all your KNOWLEDGE, you know nothing.\n\n*******************************\nI've also posted a link to a list of cosmetic "ingredients" that are or may be derived from animals. Now, you may not think too much about animal cruelty, or that may not be a huge factor for you, but think of it this way. Animals that are grown and bred for specific purposes are treated with antibiotics,
Health
141,457
7Entertainment & Music
Shopping in LA?
My family and I intend to go to LA from 20th to 25th DEC and have the\n\nfollowing questions:\n\n* Which are the good shopping Malls for trendy non-European designer\n\nwomen's fashion and what is the distance from the 4 Seasons Hotel?\n\n* Which are the good antique shops specialising in Art Deco and their\n\nlocation/distance from the hotel.\n\n* ditto dealers that deal in Antique wristwatches?\n\n*Which is a good Tex/Mex,Mexican,Pizza and Chinese to take along a 9\n\nyear old child near Wilshire?\n\n*Where is the best place to get women's eye brows shaped in the\n\nlocality of the 4 seasons Hotel?\n\n* which is a good reliable and inexpensive limo Cmpany and what are\n\ntheir per day charges?
* The Four Seasons Los Angeles\n\nThe Four Seasons (located at 300 South Doheny Drive, which is in Beverly Hills) itself offers limo service from the airport (rates listed on its website,\nhttp://www.los.angeles.the-hotels.com/four-seasons-los-angeles.htm)\n\n* Beverly Hills\n\nThe following two sites offer general information on tourism in Beverly Hills, including shopping, dining and other interests such as beauty salons and concierge services:\n\nBeverly Hills Tourism (http://www.beverlyhillstourism.com/english/index.htm)\nAll About Beverly Hills (http://www.allaboutbeverlyhills.com/)\n\n* Shopping\n\nRodeo Drive is 2 miles away from the Four Seasons, and the Beverly Center (a shopping mall) is also 2 miles away.\n\nThe Beverly Center (www.beverlycenter.com) has a long list of women's clothing stores, from the Gap and Guess to DKNY and Betsy Johnson.\n\nLos Angeles magazine (http://www.losangeles.com/shopping/index.shtml)\nprovides an overview of the top shopping areas in Los Angeles, which include Rodeo Drive, Melrose Avenue, Beverly Boulevard, Third Street, and La Brea, which are all close to each other and to the Four Seasons.\n\n* Art Deco\n\nFor Art Deco, I found several dealers of reproductions, but for actual antiques, I came up with Ann Hauck Art Deco\n(http://www.annehauckartdeco.com/), which is at 8738 Melrose Ave. in Los Angeles. The website features an online catalog.\n\nThe Shapes Collection (www.shapescollection.com) deals in French art deco, and is located at 10201 National Blvd. in Los Angeles. This location is 4.4 miles from the Four Seasons, according to Yahoo! Maps.\n\n* Wristwatches\n\nWanna Buy A Watch? (www.wannabuyawatch.com) features vintage watches and is located at 7366 Melrose Ave. This location is 2.5 miles from your hotel, according to Yahoo! Maps.\n\n* Food\n\nFor Mexican food on Wilshire, Citysearch.com's readers recommend El Cholo, at 1025 Wilshire Blvd. in Santa Monica. This is approx. 10 miles from the Four Seasons hotel. Also on Wilshire (12217 Wilshire) is Citysearch editors' pick Casa Antigua (approx. 5 miles from the\nFour Seasons). They also recommend the kid-friendly Loteria Grill at 6333 W 3rd St. (2 miles from the Four Seasons).\n\nFor pizza, the reader poll on Citysearch suggests Mulberry St. Pizza at 240 S. Beverly Dr. in Beverly Hills (1.2 miles from the Four Seasons).\n\nFor Chinese, P.F. Chang's China Bistro (121 N. La Cienega Blvd.) is a popular chain restaurant. You might also want to consider a trip to Los Angeles' Chinatown (http://www.chinatownla.com/) for authentic\nChinese food.\n\nFor kid-friendly food not in the categories you mentioned, consider Jerry's Famous Deli at 8701 Beverly Blvd. (less than one mile from the Four Seasons). Jerry's is known for its celebrity clientele.\n\nYou may also wish to browse the Zagat Guide for top Los Angeles restaurants for more suggstions.\n(http://www.zagat.com/browse/index.asp?VID=1&PID=1&LID=&newLID=9)\n\n* Eyebrow Shaping\n\nBeverly Hills offers a choice of spas that provide this service. Some of them include:\n\nRafflesamrita Spa (http://www.rafflesamritaspa.com/trea/) has brow shaping for $30. They are located at 9291 Burton Way in Beverly Hills.\nReservations are recommended.\n\nGeorge Michael Beverly Hills\n(http://www.georgemichael-longhair.com/services.html) offers brow shaping for $15. They are located at 9845 Little Santa Monica Blvd. in Beverly Hills.\n\nJ'ai of Beverly Hills Studio\n(http://www.jaiofbeverlyhills.com/services.html) comes recommended by Allure and USA Today. The location is 404 S. Bedford Dr. in Beverly Hills.\n\n* Limousines\n\nLimoFind.com offers a listing of Los Angeles area limo services:\nhttp://www.limofind.com/California/Limousine_Limo_Services/Los_Angeles/home.html\n\nOne of the better looking ones from their list, assuming you want something more than a ride from the airport, include Executive Transportation (http://www.execlimoservice.com/).
1,348
Shopping in LA?My family and I intend to go to LA from 20th to 25th DEC and have the\n\nfollowing questions:\n\n* Which are the good shopping Malls for trendy non-European designer\n\nwomen's fashion and what is the distance from the 4 Seasons Hotel?\n\n* Which are the good antique shops specialising in Art Deco and their\n\nlocation/distance from the hotel.\n\n* ditto dealers that deal in Antique wristwatches?\n\n*Which is a good Tex/Mex,Mexican,Pizza and Chinese to take along a 9\n\nyear old child near Wilshire?\n\n*Where is the best place to get women's eye brows shaped in the\n\nlocality of the 4 seasons Hotel?\n\n* which is a good reliable and inexpensive limo Cmpany and what are\n\ntheir per day charges?* The Four Seasons Los Angeles\n\nThe Four Seasons (located at 300 South Doheny Drive, which is in Beverly Hills) itself offers limo service from the airport (rates listed on its website,\nhttp://www.los.angeles.the-hotels.com/four-seasons-los-angeles.htm)\n\n* Beverly Hills\n\nThe following two sites offer general information on tourism in Beverly Hills, including shopping, dining and other interests such as beauty salons and concierge services:\n\nBeverly Hills Tourism (http://www.beverlyhillstourism.com/english/index.htm)\nAll About Beverly Hills (http://www.allaboutbeverlyhills.com/)\n\n* Shopping\n\nRodeo Drive is 2 miles away from the Four Seasons, and the Beverly Center (a shopping mall) is also 2 miles away.\n\nThe Beverly Center (www.beverlycenter.com) has a long list of women's clothing stores, from the Gap and Guess to DKNY and Betsy Johnson.\n\nLos Angeles magazine (http://www.losangeles.com/shopping/index.shtml)\nprovides an overview of the top shopping areas in Los Angeles, which include Rodeo Drive, Melrose Avenue, Beverly Boulevard, Third Street, and La Brea, which are all close to each other and to the Four Seasons.\n\n* Art Deco\n\nFor Art Deco, I found several dealers of reproductions, but for actual antiques, I came up with Ann Hauck Art Deco\n(http://www.annehauckartdeco.com/), which is at 8738 Melrose Ave. in Los Angeles. The website features an online catalog.\n\nThe Shapes Collection (www.shapescollection.com) deals in French art deco, and is located at 10201 National Blvd. in Los Angeles. This location is 4.4 miles from the Four Seasons, according to Yahoo! Maps.\n\n* Wristwatches\n\nWanna Buy A Watch? (www.wannabuyawatch.com) features vintage watches and is located at 7366 Melrose Ave. This location is 2.5 miles from your hotel, according to Yahoo! Maps.\n\n* Food\n\nFor Mexican food on Wilshire, Citysearch.com's readers recommend El Cholo, at 1025 Wilshire Blvd. in Santa Monica. This is approx. 10 miles from the Four Seasons hotel. Also on Wilshire (12217 Wilshire) is Citysearch editors' pick Casa Antigua (approx. 5 miles from the\nFour Seasons). They also recommend the kid-friendly Loteria Grill at 6333 W 3rd St. (2 miles from the Four Seasons).\n\nFor pizza, the reader poll on Citysearch suggests Mulberry St. Pizza at 240 S. Beverly Dr. in Beverly Hills (1.2 miles from the Four Seasons).\n\nFor Chinese, P.F. Chang's China Bistro (121 N. La Cienega Blvd.) is a popular chain restaurant. You might also want to consider a trip to Los Angeles' Chinatown (http://www.chinatownla.com/) for authentic\nChinese food.\n\nFor kid-friendly food not in the categories you mentioned, consider Jerry's Famous Deli at 8701 Beverly Blvd. (less than one mile from the Four Seasons). Jerry's is known for its celebrity clientele.\n\nYou may also wish to browse the Zagat Guide for top Los Angeles restaurants for more suggstions.\n(http://www.zagat.com/browse/index.asp?VID=1&PID=1&LID=&newLID=9)\n\n* Eyebrow Shaping\n\nBeverly Hills offers a choice of spas that provide this service. Some of them include:\n\nRafflesamrita Spa (http://www.rafflesamritaspa.com/trea/) has brow shaping for $30. They are located at 9291 Burton Way in Beverly Hills.\nReservations are recommended.\n\nGeorge Michael Beverly Hills\n(http://www.georgemichael-longhair.com/services.html) offers brow shaping for $15. They are located at 9845 Little Santa Monica Blvd. in Beverly Hills.\n\nJ'ai of Beverly Hills Studio\n(http://www.jaiofbeverlyhills.com/services.html) comes recommended by Allure and USA Today. The location is 404 S. Bedford Dr. in Beverly Hills.\n\n* Limousines\n\nLimoFind.com offers a listing of Los Angeles area limo services:\nhttp://www.limofind.com/California/Limousine_Limo_Services/Los_Angeles/home.html\n\nOne of the better looking ones from their list, assuming you want something more than a ride from the airport, include Executive Transportation (http://www.execlimoservice.com/).
Entertainment & Music
141,610
5Sports
What is ford escort mechanical specs.?
Used Car Search: Ford: Escort: 1991-96 Ford Escort Specs Print this Page\nEmail this Page \n \n \n1991-96 Ford Escort Specs & Safety\nUpdated: 09.16.2005\n\n \n \n1991-96 Ford Escort \nMore Photos \n \n Price Range: $600-2,000\nClass: compact car\nValue In Class: 5 (what's this?) \nValue in Class Scale \n \n \n1 2 3 4 5 6 7 8 9 10 \n Low High \n \n Vehicle History Report \nGet the facts on a used Ford Escort, before you buy. \n \n \n(what's a VIN) \n \n \n \n \n \n Other Escort Reviews:\nAll Ford Escort Reviews\n1997-2003 Escort/ZX2\n \n \n Find a 1991-96 Ford Escort near you. \n \n \n \nReview Highlights Road Test Reliability Prices Specs &\nSafety Photos Classified\nListings Full Review \n \n \n \n 1991-96 Ford Escort: Specs & Safety \n \nVehicle Dimensions \nSpecification 2-door hatchback 4-door hatchback 4-door sedan 4-door wagon \nWheelbase, in. 98.4 98.4 98.4 98.4 \nOverall Length, in. 170.0 170.0 170.9 171.3 \nOverall Width, in. 66.7 66.7 66.7 66.7 \nOverall Height, in. 52.5 52.5 52.7 53.6 \nCurb Weight, lbs. 2355 2385 2404 2451 \nCargo Volume, cu. ft. 35.2 36.0 12.1 66.9 \nStandard Payload, lbs. -- -- -- -- \nFuel Capacity, gals. 11.9 11.9 11.9 11.9 \nSeating Capacity 5 5 5 5 \nFront Head Room, in. 38.4 38.4 38.4 38.4 \nMax. Front Leg Room, in. 41.7 41.7 41.7 41.7 \nRear Head Room, in. 37.6 37.6 37.4 38.5 \nMin. Rear Leg Room, in. 34.6 34.6 34.5 34.6 \n \n \nSpecifications Key: NA = not available; "--" = measurement does not exist. \n \nPowertrain Options and Availability\nTwo engines were available in 1991 Escorts: a carryover 1.9-liter, rated at 88 horsepower; or in the GT, a Mazda dual-overhead-cam 1.8-liter (four valves per cylinder) that made 127 horses. Transmissions were supplied by Mazda: either a 5-speed stick or an optional 4-speed automatic. For 1996, the 1.9-liter engine gained platinum-tipped spark plugs. Ford issued an all-new Escort as an early '97 model.\n \nEngines Size liters/\ncu. in. Horse-\npower Torque Transmission:\nEPA city/hgwy Consumer Guide®\nObserved \n\n \nohc I4 1.9 / 114 88 108 5-speed manual: 31/38\n4-speed automatic: 26/34\n 5-speed manual: --\n4-speed automatic: 25.9\n\n\n \ndohc I4 1.8 / 109 127 114 5-speed manual: 25/31\n4-speed automatic: 23/29\n 5-speed manual: 21.6\n4-speed automatic: --\n\n\n \n \n \nEngine Key: l/cu. in. = liters/cubic inches; ohv = overhead valve; ohc = overhead camshaft; dohc = dual overhead camshaft; I = inline cylinders; H = horizontally opposed cylinders; V = cylinders in a V configuration; W = cylinders in a W configuration; rpm = revolutions per minute; CVT = continuously variable (automatic) transmission; NA = not available; "--" = measurement does not exist. \n \nNHTSA Crash-Test Results \nTest 1996 Escort \nFront Impact, Driver 4 \nFront Impact, Passenger 4 \n \nThe National Highway Traffic Safety Administration (NHTSA) tests a vehicle's crashworthiness in front- and side-impact collisions and rates its resistance to rollovers. Front-impact crash-test numbers indicate the chance of serious injury: 5 = 10% or less; 4 = 10-20%; 3 = 20-35%; 2 = 35-45%; 1 = More than 45%. Side-impact crash-test numbers indicate: 5 = 5% or less; 4 = 6-10%; 3 = 11-20%; 2 = 21-25%; 1 = More than 26%. Rollover resistance numbers indicate the chance for rollover when the vehicle leaves the roadway: 5 = Less than 10%; 4 = 10-20%; 3 = 20-30%; 2 = 30-40%; 1 = More than 40%. \n \n \nBuilt In: Mexico, USA \n \nDrive Wheels: transverse front-engine/front-wheel drive
1,189
What is ford escort mechanical specs.?Used Car Search: Ford: Escort: 1991-96 Ford Escort Specs Print this Page\nEmail this Page \n \n \n1991-96 Ford Escort Specs & Safety\nUpdated: 09.16.2005\n\n \n \n1991-96 Ford Escort \nMore Photos \n \n Price Range: $600-2,000\nClass: compact car\nValue In Class: 5 (what's this?) \nValue in Class Scale \n \n \n1 2 3 4 5 6 7 8 9 10 \n Low High \n \n Vehicle History Report \nGet the facts on a used Ford Escort, before you buy. \n \n \n(what's a VIN) \n \n \n \n \n \n Other Escort Reviews:\nAll Ford Escort Reviews\n1997-2003 Escort/ZX2\n \n \n Find a 1991-96 Ford Escort near you. \n \n \n \nReview Highlights Road Test Reliability Prices Specs &\nSafety Photos Classified\nListings Full Review \n \n \n \n 1991-96 Ford Escort: Specs & Safety \n \nVehicle Dimensions \nSpecification 2-door hatchback 4-door hatchback 4-door sedan 4-door wagon \nWheelbase, in. 98.4 98.4 98.4 98.4 \nOverall Length, in. 170.0 170.0 170.9 171.3 \nOverall Width, in. 66.7 66.7 66.7 66.7 \nOverall Height, in. 52.5 52.5 52.7 53.6 \nCurb Weight, lbs. 2355 2385 2404 2451 \nCargo Volume, cu. ft. 35.2 36.0 12.1 66.9 \nStandard Payload, lbs. -- -- -- -- \nFuel Capacity, gals. 11.9 11.9 11.9 11.9 \nSeating Capacity 5 5 5 5 \nFront Head Room, in. 38.4 38.4 38.4 38.4 \nMax. Front Leg Room, in. 41.7 41.7 41.7 41.7 \nRear Head Room, in. 37.6 37.6 37.4 38.5 \nMin. Rear Leg Room, in. 34.6 34.6 34.5 34.6 \n \n \nSpecifications Key: NA = not available; "--" = measurement does not exist. \n \nPowertrain Options and Availability\nTwo engines were available in 1991 Escorts: a carryover 1.9-liter, rated at 88 horsepower; or in the GT, a Mazda dual-overhead-cam 1.8-liter (four valves per cylinder) that made 127 horses. Transmissions were supplied by Mazda: either a 5-speed stick or an optional 4-speed automatic. For 1996, the 1.9-liter engine gained platinum-tipped spark plugs. Ford issued an all-new Escort as an early '97 model.\n \nEngines Size liters/\ncu. in. Horse-\npower Torque Transmission:\nEPA city/hgwy Consumer Guide®\nObserved \n\n \nohc I4 1.9 / 114 88 108 5-speed manual: 31/38\n4-speed automatic: 26/34\n 5-speed manual: --\n4-speed automatic: 25.9\n\n\n \ndohc I4 1.8 / 109 127 114 5-speed manual: 25/31\n4-speed automatic: 23/29\n 5-speed manual: 21.6\n4-speed automatic: --\n\n\n \n \n \nEngine Key: l/cu. in. = liters/cubic inches; ohv = overhead valve; ohc = overhead camshaft; dohc = dual overhead camshaft; I = inline cylinders; H = horizontally opposed cylinders; V = cylinders in a V configuration; W = cylinders in a W configuration; rpm = revolutions per minute; CVT = continuously variable (automatic) transmission; NA = not available; "--" = measurement does not exist. \n \nNHTSA Crash-Test Results \nTest 1996 Escort \nFront Impact, Driver 4 \nFront Impact, Passenger 4 \n \nThe National Highway Traffic Safety Administration (NHTSA) tests a vehicle's crashworthiness in front- and side-impact collisions and rates its resistance to rollovers. Front-impact crash-test numbers indicate the chance of serious injury: 5 = 10% or less; 4 = 10-20%; 3 = 20-35%; 2 = 35-45%; 1 = More than 45%. Side-impact crash-test numbers indicate: 5 = 5% or less; 4 = 6-10%; 3 = 11-20%; 2 = 21-25%; 1 = More than 26%. Rollover resistance numbers indicate the chance for rollover when the vehicle leaves the roadway: 5 = Less than 10%; 4 = 10-20%; 3 = 20-30%; 2 = 30-40%; 1 = More than 40%. \n \n \nBuilt In: Mexico, USA \n \nDrive Wheels: transverse front-engine/front-wheel drive
Sports
142,052
2Health
How can I lose weight,when I'm tall 173 cm,and I have 68 kg.?
I'm playing tennis,and I have 'cause of that big and very strong muscules.I have stop eating chocolat and sweets,at all,before 2 months and I've stop eating bread,also,and sttill no results.It's like my weight is changing every day.One day is like this and one day it's like that.Nothing normal!It's not that I'm so havy and I can't move,in fact I run like a panther.Really!And I'm very flexible.My friends say that I don't look fat at all,in fact I look normal,but,realy I look I little bit like a range of mountains(small,full of muscules...).I want to look like a normal human benn(person). With muscules but smaller.My friends are all skiny,but I don't won't to be skiny(is not good),but at least nice loking.\nAT LEAST.\nI'm playing tennis for 11 years,and I'm very sucessfull in that.And I run and strech a lot.\nPlease help!!!!!!!!!!!!!What can I do?????Anything!!!!!!!!!
try taboo\nWHAT to eat for losing weight\n\n• Eat plenty of fruits and vegetables, especially NC (negative calorie) food.\n\n* Print these lists. They will be your ... "Bible", from now on !\n* Dill and parsely - include them in all your salads. Also ognion + garlic.\n* Try eat mostly fresh vegs & fruits (whenever possible, of course)\n* If you really want a book, then check this out: The Negative Calorie Diet Workbook & Cookbook - eBook (Win95/98 only). Read more about this e-book here.\n\n\n• Eat fish, chicken, beef, pork. (preferences are in this order)\n\n* If you are a vegetarian, then ignore this!\n* Avoid fat meat\n\n\n• Eat 2-3 slices of bread/day. Don't EVER exclude bread from your diet!\n\n• Snacks between meals (if needed): apples, oranges, grepfruits and other NC fruits\n\n* Don't cheat ... NO cookies, chips, candies, brownies etc! \n* EVEN if they have "low fat" indication... They might have low fat, yet they can have lots of CALORIES !!!\n\n\n• About rice, potatoes, beans, [xxx]nuts, pastry, pasta... you know!\n\n* Don't eat too much of those, at least during the first weeks of the diet. I'm not a low carb addict, but I've noticed weight gains if consuming those in large quantities, especially when associated with other foods.\n* If you like them a lot, try and eat them like one meal. A nice delicious plate of spaghetti could be your lunch (never dinner!), followed by a nice big apple. These rich starch foods are not good for dinner!\n* At dinner time, chose mainly large mixed veggies salads... with fish, lean meat or cheese (if you are not a vegetarian). \n\nif u want to lose weight the best food to it are baked potatoes with nothing on it. no salt no nothing just plain. u can eat a 10000000000 baked potatoes till ur stuff and not gain a pound. i heard that from a weight loss tape. the best drink is water or gatorade. thats a start then when you work out do some taeboo. if u want a macine. run with dumbells on a treadmill. u could do the rocky workout. but thats a new story. u could use a butterfly macine i think it works the abs\n\n1) It is not just the amount you eat, but what you eat. Lean meats and vegtables that snap are a good place to start. And by snap I mean fresh and not boiled or doused with better or whatever.\n\n2) Exercise moderatly but for about an hour every other day. Spend half of that walking or running at a good enough pace for you to feel labored. The other half of the time use weights, or exercises such as push ups or situps to get a muscle "burn". A gym is also an option, but I don't know if you have the money for or want to spend the money on it.\n\n3) Sleep well. To bed earlier and up earlier. Exercise in the morning when you wake up, not in the evening before bed. 7 hours of GOOD sleep is a must.\n\n4) Occupy yourself with a hobby that keeps your attention for a long period of time. A hobby like this keeps your mind focused and gives less of a chance for snacking from boredom.\n\nThat is a good place to start... if you see good results, keep it up and modify to fit you... if it does not, see a doctor AND a trainer \n\nKeep working out, drink water a lot, eat 5 to 6 meals a day but in small quantities, vegtables are important specially cucumber and lattice, fruits not be eaten after meals except by 2 to 3 hours, minimize the starch quantities in your meals lots of salad is important, your last meal must be before you sleep by 2 to 3 hours\nthe most important thing is you don't lose patient wait and have a strong will to be as what you want\n\nyou might have some more ideas from www.ivillage.com\n\ngood luck
1,214
How can I lose weight,when I'm tall 173 cm,and I have 68 kg.?I'm playing tennis,and I have 'cause of that big and very strong muscules.I have stop eating chocolat and sweets,at all,before 2 months and I've stop eating bread,also,and sttill no results.It's like my weight is changing every day.One day is like this and one day it's like that.Nothing normal!It's not that I'm so havy and I can't move,in fact I run like a panther.Really!And I'm very flexible.My friends say that I don't look fat at all,in fact I look normal,but,realy I look I little bit like a range of mountains(small,full of muscules...).I want to look like a normal human benn(person). With muscules but smaller.My friends are all skiny,but I don't won't to be skiny(is not good),but at least nice loking.\nAT LEAST.\nI'm playing tennis for 11 years,and I'm very sucessfull in that.And I run and strech a lot.\nPlease help!!!!!!!!!!!!!What can I do?????Anything!!!!!!!!!try taboo\nWHAT to eat for losing weight\n\n• Eat plenty of fruits and vegetables, especially NC (negative calorie) food.\n\n* Print these lists. They will be your ... "Bible", from now on !\n* Dill and parsely - include them in all your salads. Also ognion + garlic.\n* Try eat mostly fresh vegs & fruits (whenever possible, of course)\n* If you really want a book, then check this out: The Negative Calorie Diet Workbook & Cookbook - eBook (Win95/98 only). Read more about this e-book here.\n\n\n• Eat fish, chicken, beef, pork. (preferences are in this order)\n\n* If you are a vegetarian, then ignore this!\n* Avoid fat meat\n\n\n• Eat 2-3 slices of bread/day. Don't EVER exclude bread from your diet!\n\n• Snacks between meals (if needed): apples, oranges, grepfruits and other NC fruits\n\n* Don't cheat ... NO cookies, chips, candies, brownies etc! \n* EVEN if they have "low fat" indication... They might have low fat, yet they can have lots of CALORIES !!!\n\n\n• About rice, potatoes, beans, [xxx]nuts, pastry, pasta... you know!\n\n* Don't eat too much of those, at least during the first weeks of the diet. I'm not a low carb addict, but I've noticed weight gains if consuming those in large quantities, especially when associated with other foods.\n* If you like them a lot, try and eat them like one meal. A nice delicious plate of spaghetti could be your lunch (never dinner!), followed by a nice big apple. These rich starch foods are not good for dinner!\n* At dinner time, chose mainly large mixed veggies salads... with fish, lean meat or cheese (if you are not a vegetarian). \n\nif u want to lose weight the best food to it are baked potatoes with nothing on it. no salt no nothing just plain. u can eat a 10000000000 baked potatoes till ur stuff and not gain a pound. i heard that from a weight loss tape. the best drink is water or gatorade. thats a start then when you work out do some taeboo. if u want a macine. run with dumbells on a treadmill. u could do the rocky workout. but thats a new story. u could use a butterfly macine i think it works the abs\n\n1) It is not just the amount you eat, but what you eat. Lean meats and vegtables that snap are a good place to start. And by snap I mean fresh and not boiled or doused with better or whatever.\n\n2) Exercise moderatly but for about an hour every other day. Spend half of that walking or running at a good enough pace for you to feel labored. The other half of the time use weights, or exercises such as push ups or situps to get a muscle "burn". A gym is also an option, but I don't know if you have the money for or want to spend the money on it.\n\n3) Sleep well. To bed earlier and up earlier. Exercise in the morning when you wake up, not in the evening before bed. 7 hours of GOOD sleep is a must.\n\n4) Occupy yourself with a hobby that keeps your attention for a long period of time. A hobby like this keeps your mind focused and gives less of a chance for snacking from boredom.\n\nThat is a good place to start... if you see good results, keep it up and modify to fit you... if it does not, see a doctor AND a trainer \n\nKeep working out, drink water a lot, eat 5 to 6 meals a day but in small quantities, vegtables are important specially cucumber and lattice, fruits not be eaten after meals except by 2 to 3 hours, minimize the starch quantities in your meals lots of salad is important, your last meal must be before you sleep by 2 to 3 hours\nthe most important thing is you don't lose patient wait and have a strong will to be as what you want\n\nyou might have some more ideas from www.ivillage.com\n\ngood luck
Health
143,193
5Sports
Is there a softball league in Louisville, Kentucky for disabled youth?
Yes\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n.
1,440
Is there a softball league in Louisville, Kentucky for disabled youth?Yes\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n.
Sports
143,360
2Health
What causes fear?
I am scared of needles and getting shots because I have had a bad history with them. I really don't like them and I'm scared of them. I would like to know what causes fear. Please try to keep it as simple AS POSSIBLE! Thanks. Also, I think it would be a good idea to see what people are scared of, too. It'd let me explore the world a bit (my brain works in wonders).
The prime and basic cause of all fear is our ignorance of our\ntrue nature. If we experienced or were convinced of our\ninvulnerable eternal soul-nature, we would never feel any fear\nwhatsoever. Because we do not, or cannot, believe this truth, we\nfeel vulnerable, separate, isolated and susceptible to extinction\nor insignificance.\n\n\nBecause of this, we identify with the body and the complex of\npersonality traits, which we call "I". All fears, no matter how\nspecific they may appear to be, can be traced back to the basic\nfear of rejection of pain to or extinction of the "I", and the\nloss of any of its security attachments.\n\n\nSome subordinate factors also contribute to fear:\n\n\n1. A feeling of separateness increases our fear. When we feel\nclose to people and nature we cannot easily fear them. Fear\nresults from a feeling of alienation, which manifests a general\nfeeling of suspicion of all and everything.\n\n\n2. Unfamiliarity with people and things also causes suspicion and\nfear. When we come in contact with someone who dresses or behaves\ndifferently from what we are accustomed, our security base is\nundermined and we often react with caution and perhaps defensive\nor offensive behavior.\n\n\n3. Attachment to people and objects related to our security cause\nto fear and play power games in order to protect our possessions,\nrelationships or self-image when we suspect we are in danger of\nlosing them.\n\n\n4. Imagination can create images of doom and suffering far beyond\nany physical reality or likelihood. Imagination in itself is not\nnegative. It is misused by the fear complex of: alienation,\nunfamiliarity, vulnerability, mistrust and attachment.\n\n\n5. Emotionally charged memory of previous negative experiences,\nwhere we have either witnessed or suffered harm, loss or death\nprovokes fear. Our subconscious mind stores memories of such\nunpleasant experiences from the past.\nWe also carry within us instinctual fear complexes resulting from\nour evolution through the animal kingdom. Thus, we project onto\nthe present and future what we have experienced in the past,\ngenerating a distorted perception of reality.\n\n\nAlso our memory is not quantitative but qualitative. It does not\nassign the same power to each memory. For example, we may have\ndriven a car 3000 times without any problem, and then have one\naccident and fear driving after that. Thus we are allowing one\nexperience weight more than 3000.\n\n\nIn the same way, we might have had hundreds of loving contacts\nwith a person and then let one negative one cause us not to talk\nto this person and perceive him or her as evil.\n\n\nThis illustrates that each thought has a certain energy field\nassociated with it, which creates our emotional reactions when we\ncome into contact with that thought. This is the basis of the\nnewly discovered Energy Based Psychology systems of Thought Field\nTherapy (Dr. Roger Callahan) and Emotional Freedom Techniques\n(Gary Craig) which offer easy and quick freedom from fear and\nother negative emotions. We will discuss these in later sections\nof this series.\n\n\nThe Purpose of Fear\n\n\nFear has its purpose in the animal kingdom, where the animal_s\nlow state of consciousness leaves little recourse but to fight or\nflee.\n\n\nAs humans with higher consciousness, however, we have alternative\nmethods for dealing with potential dangers. Clearer examination\nof the many situations which we feared as dangerous will reveal\nthat they simply were no so.\n\n\nHow many times have we been stricken with fear upon experiencing\na sudden sound or sight, only to eventually realize we were\ncompletely wrong in our interpretation?\n\n\nHow many times have we worried intensely about a future event,\nimagining the worst, only to have everything work out fine? And\neven if we could not, at first, accept how things worked out,\neverything was dissolved and forgotten in the ceaselessly flowing\nriver of time.\n\n\nVery
1,047
What causes fear?I am scared of needles and getting shots because I have had a bad history with them. I really don't like them and I'm scared of them. I would like to know what causes fear. Please try to keep it as simple AS POSSIBLE! Thanks. Also, I think it would be a good idea to see what people are scared of, too. It'd let me explore the world a bit (my brain works in wonders).The prime and basic cause of all fear is our ignorance of our\ntrue nature. If we experienced or were convinced of our\ninvulnerable eternal soul-nature, we would never feel any fear\nwhatsoever. Because we do not, or cannot, believe this truth, we\nfeel vulnerable, separate, isolated and susceptible to extinction\nor insignificance.\n\n\nBecause of this, we identify with the body and the complex of\npersonality traits, which we call "I". All fears, no matter how\nspecific they may appear to be, can be traced back to the basic\nfear of rejection of pain to or extinction of the "I", and the\nloss of any of its security attachments.\n\n\nSome subordinate factors also contribute to fear:\n\n\n1. A feeling of separateness increases our fear. When we feel\nclose to people and nature we cannot easily fear them. Fear\nresults from a feeling of alienation, which manifests a general\nfeeling of suspicion of all and everything.\n\n\n2. Unfamiliarity with people and things also causes suspicion and\nfear. When we come in contact with someone who dresses or behaves\ndifferently from what we are accustomed, our security base is\nundermined and we often react with caution and perhaps defensive\nor offensive behavior.\n\n\n3. Attachment to people and objects related to our security cause\nto fear and play power games in order to protect our possessions,\nrelationships or self-image when we suspect we are in danger of\nlosing them.\n\n\n4. Imagination can create images of doom and suffering far beyond\nany physical reality or likelihood. Imagination in itself is not\nnegative. It is misused by the fear complex of: alienation,\nunfamiliarity, vulnerability, mistrust and attachment.\n\n\n5. Emotionally charged memory of previous negative experiences,\nwhere we have either witnessed or suffered harm, loss or death\nprovokes fear. Our subconscious mind stores memories of such\nunpleasant experiences from the past.\nWe also carry within us instinctual fear complexes resulting from\nour evolution through the animal kingdom. Thus, we project onto\nthe present and future what we have experienced in the past,\ngenerating a distorted perception of reality.\n\n\nAlso our memory is not quantitative but qualitative. It does not\nassign the same power to each memory. For example, we may have\ndriven a car 3000 times without any problem, and then have one\naccident and fear driving after that. Thus we are allowing one\nexperience weight more than 3000.\n\n\nIn the same way, we might have had hundreds of loving contacts\nwith a person and then let one negative one cause us not to talk\nto this person and perceive him or her as evil.\n\n\nThis illustrates that each thought has a certain energy field\nassociated with it, which creates our emotional reactions when we\ncome into contact with that thought. This is the basis of the\nnewly discovered Energy Based Psychology systems of Thought Field\nTherapy (Dr. Roger Callahan) and Emotional Freedom Techniques\n(Gary Craig) which offer easy and quick freedom from fear and\nother negative emotions. We will discuss these in later sections\nof this series.\n\n\nThe Purpose of Fear\n\n\nFear has its purpose in the animal kingdom, where the animal_s\nlow state of consciousness leaves little recourse but to fight or\nflee.\n\n\nAs humans with higher consciousness, however, we have alternative\nmethods for dealing with potential dangers. Clearer examination\nof the many situations which we feared as dangerous will reveal\nthat they simply were no so.\n\n\nHow many times have we been stricken with fear upon experiencing\na sudden sound or sight, only to eventually realize we were\ncompletely wrong in our interpretation?\n\n\nHow many times have we worried intensely about a future event,\nimagining the worst, only to have everything work out fine? And\neven if we could not, at first, accept how things worked out,\neverything was dissolved and forgotten in the ceaselessly flowing\nriver of time.\n\n\nVery
Health
143,500
0Society & Culture
+~+ Who are the Disciples +~+?
This word was mentioned three times in the Holy Qur'an\n\n\n\nIn the name of Allah, the Compassionate, the Merciful. \n\n" When Jesus found Unbelief on their part He said: "Who will be My helpers to (the work of) Allah?" Said the disciples: "We are Allah's helpers: We believe in Allah, and do thou bear witness that we are Muslims. "\n\n003.052 \n\n\n\n" Behold! the disciples, said: "O Jesus the son of Mary! can thy Lord send down to us a table set (with viands) from heaven?" Said Jesus: "Fear Allah, if ye have faith." "\n\n005.112 \n\n\n\n\n" O ye who believe! Be ye helpers of Allah: As said Jesus the son of Mary to the Disciples, "Who will be my helpers to (the work of) Allah?" Said the disciples, "We are Allah's helpers!" then a portion of the Children of Israel believed, and a portion disbelieved: But We gave power to those who believed, against their enemies, and they became the ones that prevailed. "\n\n061.014\n\n\n\nWho are they?\n\n\n\nonly useful answers pls.
Who Is Jesus In (Islam)?\n___________________________________________________________\nAnd mention in the Book (the Qur'ân, O Muhammad SAW , the story of) Maryam (Mary), when she withdrew in seclusion from her family to a place facing east@-@She placed a screen (to screen herself) from them; then We sent to her Our Ruh [angel Jibrael (Gabriel)], and he appeared before her in the form of a man in all respects@-@She said: "Verily! I seek refuge with the Most Beneficent (Allâh) from you, if you do fear Allâh"@-@(The angel) said: "I am only a Messenger from your Lord, (to announce) to you the gift of a righteous son"@-@She said: "How can I have a son, when no man has touched me, nor am I unchaste?" @-@He said: "So (it will be), your Lord said: 'That is easy for Me (Allâh): And (We wish) to appoint him as a sign to mankind and a mercy from Us (Allâh), and it is a matter (already) decreed, (by Allâh)' "@-@So she conceived him, and she withdrew with him to a far place (ie Bethlehem valley about - miles from Jerusalem)@-@And the pains of childbirth drove her to the trunk of a date-palm She said: "Would that I had died before this, and had been forgotten and out of sight!"@-@Then [the babe 'Iesa (Jesus) or Jibrael (Gabriel)] cried unto her from below her, saying: "Grieve not! Your Lord has provided a water stream under you;@-@"And shake the trunk of date-palm towards you, it will let fall fresh ripe-dates upon you"@-@"So eat and drink and be glad, and if you see any human being, say: 'Verily! I have vowed a fast unto the Most Beneficent (Allâh) so I shall not speak to any human being this day'" @-@Then she brought him (the baby) to her people, carrying him They said: "O Mary! Indeed you have brought a thing Fariya (an unheard mighty thing)@-@"O sister (ie the like) of Hârûn (Aaron) [not the brother of Mûsa (Moses), but he was another pious man at the time of Maryam (Mary)]! Your father was not a man who used to commit adultery, nor your mother was an unchaste woman"@-@Then she pointed to him They said: "How can we talk to one who is a child in the cradle?"@-@"He ['Iesa (Jesus)] said: Verily! I am a slave of Allâh, He has given me the Scripture and made me a Prophet;"@-@"And He has made me blessed wheresoever I be, and has enjoined on me Salât (prayer), and Zakât, as long as I live"@-@"And dutiful to my mother, and made me not arrogant, unblest@-@"And Salâm (peace) be upon me the day I was born, and the day I die, and the day I shall be raised alive!"@-@Such is 'Iesa (Jesus), son of Maryam (Mary) (it is) a statement of truth, about which they doubt (or dispute)@-@It befits not (the Majesty of) Allâh that He should beget a son [this refers to the slander of Christians against Allâh, by saying that 'Iesa (Jesus) is the son of Allâh] Glorified (and Exalted be He above all that they associate with Him) When He decrees a thing, He only says to it, "Be!" and it is['Iesa (Jesus) said]: "And verily Allâh is my Lord and your Lord So worship Him (Alone) That is the Straight Path (Allâh's Religion of Islâmic Monotheism which He did ordain for all of His Prophets)" [Tafsir At-Tabarî]@-@Then the sects differed [ie the Christians about 'Iesa (Jesus) <><>], so woe unto the disbelievers [those who gave false witness by saying that 'Iesa (Jesus) is the son of Allâh] from the meeting of a great Day (ie the Day of Resurrection, when they will be thrown in the blazing Fire).
1,308
+~+ Who are the Disciples +~+?This word was mentioned three times in the Holy Qur'an\n\n\n\nIn the name of Allah, the Compassionate, the Merciful. \n\n" When Jesus found Unbelief on their part He said: "Who will be My helpers to (the work of) Allah?" Said the disciples: "We are Allah's helpers: We believe in Allah, and do thou bear witness that we are Muslims. "\n\n003.052 \n\n\n\n" Behold! the disciples, said: "O Jesus the son of Mary! can thy Lord send down to us a table set (with viands) from heaven?" Said Jesus: "Fear Allah, if ye have faith." "\n\n005.112 \n\n\n\n\n" O ye who believe! Be ye helpers of Allah: As said Jesus the son of Mary to the Disciples, "Who will be my helpers to (the work of) Allah?" Said the disciples, "We are Allah's helpers!" then a portion of the Children of Israel believed, and a portion disbelieved: But We gave power to those who believed, against their enemies, and they became the ones that prevailed. "\n\n061.014\n\n\n\nWho are they?\n\n\n\nonly useful answers pls.Who Is Jesus In (Islam)?\n___________________________________________________________\nAnd mention in the Book (the Qur'ân, O Muhammad SAW , the story of) Maryam (Mary), when she withdrew in seclusion from her family to a place facing east@-@She placed a screen (to screen herself) from them; then We sent to her Our Ruh [angel Jibrael (Gabriel)], and he appeared before her in the form of a man in all respects@-@She said: "Verily! I seek refuge with the Most Beneficent (Allâh) from you, if you do fear Allâh"@-@(The angel) said: "I am only a Messenger from your Lord, (to announce) to you the gift of a righteous son"@-@She said: "How can I have a son, when no man has touched me, nor am I unchaste?" @-@He said: "So (it will be), your Lord said: 'That is easy for Me (Allâh): And (We wish) to appoint him as a sign to mankind and a mercy from Us (Allâh), and it is a matter (already) decreed, (by Allâh)' "@-@So she conceived him, and she withdrew with him to a far place (ie Bethlehem valley about - miles from Jerusalem)@-@And the pains of childbirth drove her to the trunk of a date-palm She said: "Would that I had died before this, and had been forgotten and out of sight!"@-@Then [the babe 'Iesa (Jesus) or Jibrael (Gabriel)] cried unto her from below her, saying: "Grieve not! Your Lord has provided a water stream under you;@-@"And shake the trunk of date-palm towards you, it will let fall fresh ripe-dates upon you"@-@"So eat and drink and be glad, and if you see any human being, say: 'Verily! I have vowed a fast unto the Most Beneficent (Allâh) so I shall not speak to any human being this day'" @-@Then she brought him (the baby) to her people, carrying him They said: "O Mary! Indeed you have brought a thing Fariya (an unheard mighty thing)@-@"O sister (ie the like) of Hârûn (Aaron) [not the brother of Mûsa (Moses), but he was another pious man at the time of Maryam (Mary)]! Your father was not a man who used to commit adultery, nor your mother was an unchaste woman"@-@Then she pointed to him They said: "How can we talk to one who is a child in the cradle?"@-@"He ['Iesa (Jesus)] said: Verily! I am a slave of Allâh, He has given me the Scripture and made me a Prophet;"@-@"And He has made me blessed wheresoever I be, and has enjoined on me Salât (prayer), and Zakât, as long as I live"@-@"And dutiful to my mother, and made me not arrogant, unblest@-@"And Salâm (peace) be upon me the day I was born, and the day I die, and the day I shall be raised alive!"@-@Such is 'Iesa (Jesus), son of Maryam (Mary) (it is) a statement of truth, about which they doubt (or dispute)@-@It befits not (the Majesty of) Allâh that He should beget a son [this refers to the slander of Christians against Allâh, by saying that 'Iesa (Jesus) is the son of Allâh] Glorified (and Exalted be He above all that they associate with Him) When He decrees a thing, He only says to it, "Be!" and it is['Iesa (Jesus) said]: "And verily Allâh is my Lord and your Lord So worship Him (Alone) That is the Straight Path (Allâh's Religion of Islâmic Monotheism which He did ordain for all of His Prophets)" [Tafsir At-Tabarî]@-@Then the sects differed [ie the Christians about 'Iesa (Jesus) <><>], so woe unto the disbelievers [those who gave false witness by saying that 'Iesa (Jesus) is the son of Allâh] from the meeting of a great Day (ie the Day of Resurrection, when they will be thrown in the blazing Fire).
Society & Culture
146,002
2Health
I can't stop coughing- sucks balls. How can I stop coughing?
Seriously- whenver I get a cough, it lingers forever and a day. It stays for months, sometimes. How can I get rid of it once and for all?
You shouldn't say that it "sucks balls," but coughing can be painful and annoying. \n\nIf you have a productive cough, which is like a wet cough, here are some possible reasons why:\n-viral illnesses, like a common cold\n-infections of the lungs or upper airway passages\n-pneumonia\n-bronchitis\n-sinusitis\n-tuberculosis\n-chronic lung disease\n-chronic obstructive pulmonary disease (COPD)\n-stomach acid backing up into the esophagus (could be gastroesophageal reflux disease, or GERD)\n-nasal discharge draining down the back of the throat (postanasal drip syndrome)\n-smoking/tobacco use\n\nIf you have a non-productive cough, or a dry cough, here are some possible reasons:\n-viral illnesses, like one that lasts for weeks after a common cold, severe acute respiratory syndrome (SARS), etc.\n-bronchospasm (spasms in the bronchial tubes caused by irritation)\n-allergies/allergic rhinitis\n-if you're taking medications called ACE inhibitors used to control high blood pressure (Capoten, Vasotec, Prinivil, Zestril, Zestoretic)\n-exposure to dust, fumes, and chemicals in work environment\n-asthma (also includes wheezing, shortness of breath, or a feeling of tightness in chest)\n\nIf you're a child, it could be:\n-croup\n-bronchiolitis\n-infection of the lower respiratory system, like one caused by respiratory syncytial virus, or RSV\n-a foreign object, like a toy or food, stuck in the airway\n-exposure to secondhand smoke\n-emotional or psychological problems\n\n(Most coughs seem to be caused by viral illnesses)\n\nIf the cough is persistant and bothering you, it might be best to get a health evaluation from your doctor. A cough is a symptom, not a disease, so your doctor will need to evaluate other symptoms that you may be having to diagnose a possible problem. Other symptoms include sore throat, sinus pressure, or ear pain.\n\nIf your cough is a productive cough, don't try to get rid of it. It's your body's way to removing foreign substances and mucus from your lungs and upper airway passages. But... sometimes coughs are so bad that they can hurt your breathing and prevent prope rest. Here are some tips to help you feel more comfortable with a cough:\n-drink plenty of healthy fluids to thin secretions and soothe an irritated throat; if you have a dry cough, drink honey in hot water, tea, or lemon juice. (don't give honey to kids younger than 1 year old)\n-elevate your head with extra pillows at night to ease a dry cough\n-suck on cough drops or hard candy\n-quit smoking or use any forms of tobacco, especially while you have a cough\n-avoid exposure to smoke, dust, and other pollutants that are inhaled, or wear a face mask when you are being exposed to them\n-take aceetaminophen, aspirin, ibuprofen, naproxen, or ketoprofen (all over-the-counter pain relievers) in moderation to relieve discomfort associated with cough; don't exceed recommended daily dosage, carefully read and follow the directions, call your doctor before taking anything that you think may affect your health or interact with other medications, don't take aspirin if you're under 20 years old, and don't take anything if you are or could be pregnant without calling your doctor first.\n\nOther tips:\n-use a cool air humidifier; use only water in the humidifier and let the vapor blow directly into your face\n-sit in the bathroom and turn on the shower to create steam, close the door and stay in the room for several minutes, breathing the moist air\n-breathe the cool night air (but stay bundled up)\n\nIf home treatments don't help, I would see a doctor as soon as you can, especially if you have any of these symptoms:\n-moderate to severe chest pain\n-difficulty breathing\n-fever\n-coughing up blood\n-a cough lasts longer than 2 weeks without other respiratory symptoms\n-symptoms get more severe or more frequent\n\nCough prevention:\n-wash your hands frequently during cold and flu season\n-avoid people who have a cold
1,035
I can't stop coughing- sucks balls. How can I stop coughing?Seriously- whenver I get a cough, it lingers forever and a day. It stays for months, sometimes. How can I get rid of it once and for all?You shouldn't say that it "sucks balls," but coughing can be painful and annoying. \n\nIf you have a productive cough, which is like a wet cough, here are some possible reasons why:\n-viral illnesses, like a common cold\n-infections of the lungs or upper airway passages\n-pneumonia\n-bronchitis\n-sinusitis\n-tuberculosis\n-chronic lung disease\n-chronic obstructive pulmonary disease (COPD)\n-stomach acid backing up into the esophagus (could be gastroesophageal reflux disease, or GERD)\n-nasal discharge draining down the back of the throat (postanasal drip syndrome)\n-smoking/tobacco use\n\nIf you have a non-productive cough, or a dry cough, here are some possible reasons:\n-viral illnesses, like one that lasts for weeks after a common cold, severe acute respiratory syndrome (SARS), etc.\n-bronchospasm (spasms in the bronchial tubes caused by irritation)\n-allergies/allergic rhinitis\n-if you're taking medications called ACE inhibitors used to control high blood pressure (Capoten, Vasotec, Prinivil, Zestril, Zestoretic)\n-exposure to dust, fumes, and chemicals in work environment\n-asthma (also includes wheezing, shortness of breath, or a feeling of tightness in chest)\n\nIf you're a child, it could be:\n-croup\n-bronchiolitis\n-infection of the lower respiratory system, like one caused by respiratory syncytial virus, or RSV\n-a foreign object, like a toy or food, stuck in the airway\n-exposure to secondhand smoke\n-emotional or psychological problems\n\n(Most coughs seem to be caused by viral illnesses)\n\nIf the cough is persistant and bothering you, it might be best to get a health evaluation from your doctor. A cough is a symptom, not a disease, so your doctor will need to evaluate other symptoms that you may be having to diagnose a possible problem. Other symptoms include sore throat, sinus pressure, or ear pain.\n\nIf your cough is a productive cough, don't try to get rid of it. It's your body's way to removing foreign substances and mucus from your lungs and upper airway passages. But... sometimes coughs are so bad that they can hurt your breathing and prevent prope rest. Here are some tips to help you feel more comfortable with a cough:\n-drink plenty of healthy fluids to thin secretions and soothe an irritated throat; if you have a dry cough, drink honey in hot water, tea, or lemon juice. (don't give honey to kids younger than 1 year old)\n-elevate your head with extra pillows at night to ease a dry cough\n-suck on cough drops or hard candy\n-quit smoking or use any forms of tobacco, especially while you have a cough\n-avoid exposure to smoke, dust, and other pollutants that are inhaled, or wear a face mask when you are being exposed to them\n-take aceetaminophen, aspirin, ibuprofen, naproxen, or ketoprofen (all over-the-counter pain relievers) in moderation to relieve discomfort associated with cough; don't exceed recommended daily dosage, carefully read and follow the directions, call your doctor before taking anything that you think may affect your health or interact with other medications, don't take aspirin if you're under 20 years old, and don't take anything if you are or could be pregnant without calling your doctor first.\n\nOther tips:\n-use a cool air humidifier; use only water in the humidifier and let the vapor blow directly into your face\n-sit in the bathroom and turn on the shower to create steam, close the door and stay in the room for several minutes, breathing the moist air\n-breathe the cool night air (but stay bundled up)\n\nIf home treatments don't help, I would see a doctor as soon as you can, especially if you have any of these symptoms:\n-moderate to severe chest pain\n-difficulty breathing\n-fever\n-coughing up blood\n-a cough lasts longer than 2 weeks without other respiratory symptoms\n-symptoms get more severe or more frequent\n\nCough prevention:\n-wash your hands frequently during cold and flu season\n-avoid people who have a cold
Health
146,729
1Science & Mathematics
I'm a teacher (but not in math). Is there any easy way of figuring out a grading curve?
I have several hundred students and have 10 quizzes and a final to figure out. I'm wondering if there is any (reasonably intuitive) formula I could use to get a grading curve.
There are lots of ways to do this. Most of them assume a distribution to the data, that is, sort of a histogram of the scores. So for example, a bell curve (also called a normal distribution or a Gaussian distribution) is a very common curve to grade on. It is not that fair in some ways, because it is symmetric, and students on the bottom of the curve might feel short changed. If you have a group of very good students, or a group of very bad students, things can be a bit distorted. \n\n\nSome of the methods are pretty technical. But there might be some easy ways to do this. \n\nThe first method sort of automates the procedure described by the previous answers. It has the advantage that if anyone asks, you can tell them you really DID use a normal distribution curve and here are the parameters involved etc. I do not know if this is an important consideration in this situation for you, however, or not. \n \nIn comment 2., a number of other methods are mentioned, particularly in the references, but I suspect these might be too technical for your needs. \n\n1. Try just sorting the students into groups and then assigning grades to each group. Sort the student's grades, smallest to largest. Then suppose you want to give out grades A, B, C, D, and F. This method depends on knowing where the middle is, and what standard deviation is. \n\nFor the middle: try taking an arithmetic average. Just add up all the scores Xj, and divide by the number of students N. Something like : \n\nM=Sum Xj/N\n\nFor the standard deviation: This is a bit trickier, but not too bad with a computer or calculator. Take each score, subtract off the arithmetic average from the score, square the resulting number and add all these numbers, dividing by N-1. Something like:\n\nSD=Sum [(Xj-M)^2]/(N-1)\n\n\nIf you can't do this yourself easily, there are calculators to do this on the internet. For example, look at web sites in references 1 and 2.\n\nThen go to the third web site in the references (ref 3) and type in your values for mean and SD. \n\n\nSuppose that you find mean =60 and SD=10. Then type it in the spaces in the web calculator. \n\nEntering different values in the calculator will tell you what proportion of students are in a category. So suppose you decide that all students with grades less than 40 will get an F. Type in 40 on the calculator, and then you find that this corresponds to a shaded area on the curve of 0.022750. This means that 2.275% of the students will be assigned an F. \n\nTake the bottom 2.3% of the students and give them an F.\n\nThen suppose you decide that scores from 40 to 50 should get a D. Type in the spaces in the calculator, that you want the area between 40 and 50. The calculator tells you that this area is 0.135905. \n\nTake the next 13.6 % and give them a D. \n\nSuppose you decide that the scores between 50 and 60 will get a C. Type into the website calculator, you want the area between 50 and 60. The calculator tells you the area is 0.341345. \n\nTake the next 34% and give them a C. \n\nSuppose you decide that the students with scores between 60 (the average remember) and say 70 should get a B. Into the web calculator, look for the area beween 60 and 70. The calculator tells you the area is .341345 again. \n\nSo take the next 34% and give them a B. \n\nSuppose you decide that all students with a score above 70 should get an A. In the web calculator, look for the area above 70 and you find that the area is 0.158655. \n\n\nThe top 16% get an A. \n\nNotice this is still sort of arbitrary, since you are deciding what is an F, a D, a C, a B and an A. But you are using the normal distribution to help you a bit. \n\nYou can play around with this quite a bit. You can make it so the same number of students who get an F get an A, and same number who get a D get a B. However, even though it is done on a "curve", it is all still quite arbitrary. You really do not need the web calculator except to help you get a feel for
1,066
I'm a teacher (but not in math). Is there any easy way of figuring out a grading curve?I have several hundred students and have 10 quizzes and a final to figure out. I'm wondering if there is any (reasonably intuitive) formula I could use to get a grading curve.There are lots of ways to do this. Most of them assume a distribution to the data, that is, sort of a histogram of the scores. So for example, a bell curve (also called a normal distribution or a Gaussian distribution) is a very common curve to grade on. It is not that fair in some ways, because it is symmetric, and students on the bottom of the curve might feel short changed. If you have a group of very good students, or a group of very bad students, things can be a bit distorted. \n\n\nSome of the methods are pretty technical. But there might be some easy ways to do this. \n\nThe first method sort of automates the procedure described by the previous answers. It has the advantage that if anyone asks, you can tell them you really DID use a normal distribution curve and here are the parameters involved etc. I do not know if this is an important consideration in this situation for you, however, or not. \n \nIn comment 2., a number of other methods are mentioned, particularly in the references, but I suspect these might be too technical for your needs. \n\n1. Try just sorting the students into groups and then assigning grades to each group. Sort the student's grades, smallest to largest. Then suppose you want to give out grades A, B, C, D, and F. This method depends on knowing where the middle is, and what standard deviation is. \n\nFor the middle: try taking an arithmetic average. Just add up all the scores Xj, and divide by the number of students N. Something like : \n\nM=Sum Xj/N\n\nFor the standard deviation: This is a bit trickier, but not too bad with a computer or calculator. Take each score, subtract off the arithmetic average from the score, square the resulting number and add all these numbers, dividing by N-1. Something like:\n\nSD=Sum [(Xj-M)^2]/(N-1)\n\n\nIf you can't do this yourself easily, there are calculators to do this on the internet. For example, look at web sites in references 1 and 2.\n\nThen go to the third web site in the references (ref 3) and type in your values for mean and SD. \n\n\nSuppose that you find mean =60 and SD=10. Then type it in the spaces in the web calculator. \n\nEntering different values in the calculator will tell you what proportion of students are in a category. So suppose you decide that all students with grades less than 40 will get an F. Type in 40 on the calculator, and then you find that this corresponds to a shaded area on the curve of 0.022750. This means that 2.275% of the students will be assigned an F. \n\nTake the bottom 2.3% of the students and give them an F.\n\nThen suppose you decide that scores from 40 to 50 should get a D. Type in the spaces in the calculator, that you want the area between 40 and 50. The calculator tells you that this area is 0.135905. \n\nTake the next 13.6 % and give them a D. \n\nSuppose you decide that the scores between 50 and 60 will get a C. Type into the website calculator, you want the area between 50 and 60. The calculator tells you the area is 0.341345. \n\nTake the next 34% and give them a C. \n\nSuppose you decide that the students with scores between 60 (the average remember) and say 70 should get a B. Into the web calculator, look for the area beween 60 and 70. The calculator tells you the area is .341345 again. \n\nSo take the next 34% and give them a B. \n\nSuppose you decide that all students with a score above 70 should get an A. In the web calculator, look for the area above 70 and you find that the area is 0.158655. \n\n\nThe top 16% get an A. \n\nNotice this is still sort of arbitrary, since you are deciding what is an F, a D, a C, a B and an A. But you are using the normal distribution to help you a bit. \n\nYou can play around with this quite a bit. You can make it so the same number of students who get an F get an A, and same number who get a D get a B. However, even though it is done on a "curve", it is all still quite arbitrary. You really do not need the web calculator except to help you get a feel for
Science & Mathematics
146,754
0Society & Culture
What does once saved always saved mean?
I have a friend and we get in this discussion all the time we are not judging each other and we still love each other we are to work out our own salvation with fear and trembling. But no matter what it always comes up. I believe if you are truly saved you will make a change in your life others will be able to notice and i belive if you go back to your old ways you should ask for forgiveness again and turn from your sin not continue living in your sin sanctification ables you not to sin. But my friend says once you are saved thats all you need and we all make mistakes (sin) and its ok to fall away from God as long as you come back you are saved. Im Confused i would like to hear others opinions with no judging!! God Bless!!
Once a person is saved, is he always saved?\n\nAccording to most religions once you accept Jesus, you are always saved from then on. BUT THAT IS NOT WHAT THE SCRIPTURES SAY:\n\nJude 5, RS: “I desire to remind you, though you were once for all fully informed, that he who saved a people out of the land of Egypt, afterward destroyed those who did not believe.” \n\nMatt. 24:13, RS: “He who endures to the end will be saved.” (So a person’s final salvation is not determined at the moment that he begins to put faith in Jesus.)\n\nPhil. 2:12, RS: “As you have always obeyed, so now, not only as in my presence but much more in my absence, work out your own salvation with fear and trembling.” (This was addressed to “the saints,” or holy ones, at Philippi, as stated in Philippians 1:1. Paul urged them not to be overly confident but to realize that their final salvation was not yet assured.)\n\nHeb. 10:26, 27, RS: “If we sin deliberately after receiving the knowledge of the truth, there no longer remains a sacrifice for sins, but a fearful prospect of judgment, and a fury of fire which will consume the adversaries.” (Thus the Bible does not go along with the idea that no matter what sins a person may commit after he is “saved” he will not lose his salvation. It encourages faithfulness. See also Hebrews 6:4-6, where it is shown that even a person anointed with holy spirit can lose his hope of salvation.)\n\nIs anything more than faith needed in order to gain salvation?\n\nEph. 2:8, 9, RS: “By grace [“undeserved kindness,” NW] you have been saved through faith; and this is not your own doing, it is the gift of God—not because of works, lest any man should boast.” (The entire provision for salvation is an expression of God’s undeserved kindness. There is no way that a descendant of Adam can gain salvation on his own, no matter how noble his works are. Salvation is a gift from God given to those who put faith in the sin-atoning value of the sacrifice of his Son.)\n\nHeb. 5:9, RS: “He [Jesus] became the source of eternal salvation to all who obey him.” (Does this conflict with the statement that Christians are “saved through faith”? Not at all. Obedience simply demonstrates that their faith is genuine.)\n\nJas. 2:14, 26, RS: “What does it profit, my brethren, if a man says he has faith but has not works? Can his faith save him? For as the body apart from the spirit is dead, so faith apart from works is dead.” (A person does not earn salvation by his works. But anyone who has genuine faith will have works to go with it—works of obedience to the commands of God and Christ, works that demonstrate his faith and love. Without such works, his faith is dead.)\n\nActs 16:30, 31, RS: “‘Men, what must I do to be saved?’ And they [Paul and Silas] said, ‘Believe in the Lord Jesus, and you will be saved, you and your household.’” (If that man and his household truly believed, would they not act in harmony with their belief? Certainly.)\n\nAre there scriptures that definitely show that some will never be saved?\n\n2 Thess. 1:9, RS: “They shall suffer the punishment of eternal destruction and exclusion from the presence of the Lord and from the glory of his might.” \nMatt. 7:13, 14, RS: “Enter by the narrow gate; for the gate is wide and the way is easy, that leads to destruction, and those who enter by it are many. For the gate is narrow and the way is hard, that leads to life, and those who find it are few.”
1,051
What does once saved always saved mean?I have a friend and we get in this discussion all the time we are not judging each other and we still love each other we are to work out our own salvation with fear and trembling. But no matter what it always comes up. I believe if you are truly saved you will make a change in your life others will be able to notice and i belive if you go back to your old ways you should ask for forgiveness again and turn from your sin not continue living in your sin sanctification ables you not to sin. But my friend says once you are saved thats all you need and we all make mistakes (sin) and its ok to fall away from God as long as you come back you are saved. Im Confused i would like to hear others opinions with no judging!! God Bless!!Once a person is saved, is he always saved?\n\nAccording to most religions once you accept Jesus, you are always saved from then on. BUT THAT IS NOT WHAT THE SCRIPTURES SAY:\n\nJude 5, RS: “I desire to remind you, though you were once for all fully informed, that he who saved a people out of the land of Egypt, afterward destroyed those who did not believe.” \n\nMatt. 24:13, RS: “He who endures to the end will be saved.” (So a person’s final salvation is not determined at the moment that he begins to put faith in Jesus.)\n\nPhil. 2:12, RS: “As you have always obeyed, so now, not only as in my presence but much more in my absence, work out your own salvation with fear and trembling.” (This was addressed to “the saints,” or holy ones, at Philippi, as stated in Philippians 1:1. Paul urged them not to be overly confident but to realize that their final salvation was not yet assured.)\n\nHeb. 10:26, 27, RS: “If we sin deliberately after receiving the knowledge of the truth, there no longer remains a sacrifice for sins, but a fearful prospect of judgment, and a fury of fire which will consume the adversaries.” (Thus the Bible does not go along with the idea that no matter what sins a person may commit after he is “saved” he will not lose his salvation. It encourages faithfulness. See also Hebrews 6:4-6, where it is shown that even a person anointed with holy spirit can lose his hope of salvation.)\n\nIs anything more than faith needed in order to gain salvation?\n\nEph. 2:8, 9, RS: “By grace [“undeserved kindness,” NW] you have been saved through faith; and this is not your own doing, it is the gift of God—not because of works, lest any man should boast.” (The entire provision for salvation is an expression of God’s undeserved kindness. There is no way that a descendant of Adam can gain salvation on his own, no matter how noble his works are. Salvation is a gift from God given to those who put faith in the sin-atoning value of the sacrifice of his Son.)\n\nHeb. 5:9, RS: “He [Jesus] became the source of eternal salvation to all who obey him.” (Does this conflict with the statement that Christians are “saved through faith”? Not at all. Obedience simply demonstrates that their faith is genuine.)\n\nJas. 2:14, 26, RS: “What does it profit, my brethren, if a man says he has faith but has not works? Can his faith save him? For as the body apart from the spirit is dead, so faith apart from works is dead.” (A person does not earn salvation by his works. But anyone who has genuine faith will have works to go with it—works of obedience to the commands of God and Christ, works that demonstrate his faith and love. Without such works, his faith is dead.)\n\nActs 16:30, 31, RS: “‘Men, what must I do to be saved?’ And they [Paul and Silas] said, ‘Believe in the Lord Jesus, and you will be saved, you and your household.’” (If that man and his household truly believed, would they not act in harmony with their belief? Certainly.)\n\nAre there scriptures that definitely show that some will never be saved?\n\n2 Thess. 1:9, RS: “They shall suffer the punishment of eternal destruction and exclusion from the presence of the Lord and from the glory of his might.” \nMatt. 7:13, 14, RS: “Enter by the narrow gate; for the gate is wide and the way is easy, that leads to destruction, and those who enter by it are many. For the gate is narrow and the way is hard, that leads to life, and those who find it are few.”
Society & Culture
146,922
0Society & Culture
Why doesn't the Jewish religion believe in Jesus if he was a Jew?
Maybe this is all ignorance on my part. I don't know. I really want to know. Truly and honestly, I'm just trying to educate myself further. Any explanations are greatly appreciated.
PLEASE look at the following::\nhttp://WhatJewsBelieve.org\nhttp://Convert.org \n\nThe basic beliefs of Christianity about Jesus are against what the Bible says, and so Real Jews cannot believe in Jesus at all.\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The messiah is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and cry mightily unto Gd; yea, let \nthem turn every one from his evil
1,130
Why doesn't the Jewish religion believe in Jesus if he was a Jew?Maybe this is all ignorance on my part. I don't know. I really want to know. Truly and honestly, I'm just trying to educate myself further. Any explanations are greatly appreciated.PLEASE look at the following::\nhttp://WhatJewsBelieve.org\nhttp://Convert.org \n\nThe basic beliefs of Christianity about Jesus are against what the Bible says, and so Real Jews cannot believe in Jesus at all.\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The messiah is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and cry mightily unto Gd; yea, let \nthem turn every one from his evil
Society & Culture
147,344
6Business & Finance
Does anyone know of good role models born in Pittsburgh, PA?
Please help it is a school assignment.
Take your pick:\n\n * F. Murray Abraham – actor\n * Christina Aguilera – singer and songwriter\n * George Benson – musician\n * Julie Benz – actress\n * Amber Brkich – reality show contestant on Survivor: The Australian Outback and winner of Survivor: All-Stars\n * Lou Christie – musician and songwriter\n * Perry Como – singer\n * Ted Danson – actor\n * Stephen Foster – songwriter\n * Jeff Goldblum – actor\n * Martha Graham – dancer and choreographer\n * Phyllis Hyman – singer\n * Donnie Iris – musician and legend and Pants n'At salesman\n * Ahmad Jamal – pianist\n * Michael Keaton – actor\n * Gene Kelly – dancer, actor, singer, director, and choreographer.\n * Dean Martin – actor\n * Mary Lou Metzger – singer\n * Dennis Miller – Comedian\n * Demi Moore – actress\n * Jenna Morasca – reality show contestant and winner of Survivor: The Amazon and contestant on Survivor: All-Stars\n * Joe Negri – musician\n * Trent Reznor – musician\n * Mister Rogers – famous American child enterteiner\n * Ian Rosenberger – reality show contestant on Survivor: Palau\n * Shanice – singer\n * James Sites – writer\n * Gertrude Stein – writer, poet, playwright, and feminist\n * Sharon Stone – actress\n * Bobby Vinton – singer\n * Andy Warhol – artist\n * August Wilson – playwright\n\n\nSports Stars/Athletes\n\n\nFootball\n\n * Barry Alvarez – college football coach 1990-2005\n * LaVar Arrington – Linebacker 2000-Present\n * George Blanda – Quarterback 1949-1975, Super Bowl, Hall of Fame\n * Marc Bulger – Quarterback 2002-Present, Super Bowl\n * Bill Cowher – head coach 1992-Present, Super Bowl\n * Ernie Davis – Running Back Heisman Trophy winner (1961)\n * Mike Ditka – former tight end (1961-1972) and coach (1982-1999), three Super Bowls\n * Tony Dorsett – Heisman Trophy winner (1976) and running back 1977-1988, two Super Bowls\n * Gus Frerotte – Quarterback 1994-Present\n * Bill George – Linebacker 1952-1966, Hall of Fame\n * Jack Ham – Linebacker 1970-1982, Hall of Fame, four Super Bowls\n * Franco Harris – Running Back 1972-1984, four Super Bowls, Super Bowl MVP\n * Jim Haslett – head coach 2000-Present\n * Lou Holtz – college football head coach 1969-2004\n * Jeff Hostetler – Quarterback 1985-1997, two Super Bowls\n * Sam Huff – Linebacker 1956-1969, Hall of Fame\n * Stan Jones – Defensive Lineman 1954-1966, Hall of Fame\n * Jim Kelly – Quarterback 1986-1996, Hall of Fame, four Super Bowls\n * Chuck Knox – former head coach 1973-1994\n * Ty Law – Defensive Back 1995-2005, four Super Bowls\n * Johnny Lujack – Quarterback Heisman Trophy winner (1947)\n * Marvin Lewis – head coach 2003-Present\n * Dan Marino – Quarterback 1983-1999, Hall of Fame, Super Bowl\n * Ted Marchibroda – Quarterback 1953-1957, Head Coach 1975-1998\n * Curtis Martin – running back 1995-Present, Super Bowl\n * Mike McCarthy – Green Bay Packers head coach 2005-present\n * Mike McMahon – Quarterback 2001-Present\n * Joe Montana – Quarterback 1979-1994, Hall of Fame, four Super Bowls, three Super Bowl MVPs\n * Joe Namath – Quarterback 1965-1977, Hall of Fame, Super Bowl MVP\n * Rod Rutherford – Quarterback 2003-Present\n * Nick Saban – college football coach 1990-2005, NFL coach 2005-Present\n * Matt Schaub – Quarterback 2004-Present\n * Joe Schmidt – Linebacker 1953-1965, Hall of Fame\n * Marty Schottenheimer – head coach, 1984-Present\n * Sandy Stephens – Quarterback, first African American QB to lead his team to a Bowl Game\n * Joe Stydahar – Tackle 1936-1946 Hall of Fame\n * Lynn Swann – Wide Reciever 1974-1982, Hall of Fame, four Super Bowls, Super Bowl MVP\n * Willie Thrower – Quarterback (First African American Quarterback in
1,119
Does anyone know of good role models born in Pittsburgh, PA?Please help it is a school assignment.Take your pick:\n\n * F. Murray Abraham – actor\n * Christina Aguilera – singer and songwriter\n * George Benson – musician\n * Julie Benz – actress\n * Amber Brkich – reality show contestant on Survivor: The Australian Outback and winner of Survivor: All-Stars\n * Lou Christie – musician and songwriter\n * Perry Como – singer\n * Ted Danson – actor\n * Stephen Foster – songwriter\n * Jeff Goldblum – actor\n * Martha Graham – dancer and choreographer\n * Phyllis Hyman – singer\n * Donnie Iris – musician and legend and Pants n'At salesman\n * Ahmad Jamal – pianist\n * Michael Keaton – actor\n * Gene Kelly – dancer, actor, singer, director, and choreographer.\n * Dean Martin – actor\n * Mary Lou Metzger – singer\n * Dennis Miller – Comedian\n * Demi Moore – actress\n * Jenna Morasca – reality show contestant and winner of Survivor: The Amazon and contestant on Survivor: All-Stars\n * Joe Negri – musician\n * Trent Reznor – musician\n * Mister Rogers – famous American child enterteiner\n * Ian Rosenberger – reality show contestant on Survivor: Palau\n * Shanice – singer\n * James Sites – writer\n * Gertrude Stein – writer, poet, playwright, and feminist\n * Sharon Stone – actress\n * Bobby Vinton – singer\n * Andy Warhol – artist\n * August Wilson – playwright\n\n\nSports Stars/Athletes\n\n\nFootball\n\n * Barry Alvarez – college football coach 1990-2005\n * LaVar Arrington – Linebacker 2000-Present\n * George Blanda – Quarterback 1949-1975, Super Bowl, Hall of Fame\n * Marc Bulger – Quarterback 2002-Present, Super Bowl\n * Bill Cowher – head coach 1992-Present, Super Bowl\n * Ernie Davis – Running Back Heisman Trophy winner (1961)\n * Mike Ditka – former tight end (1961-1972) and coach (1982-1999), three Super Bowls\n * Tony Dorsett – Heisman Trophy winner (1976) and running back 1977-1988, two Super Bowls\n * Gus Frerotte – Quarterback 1994-Present\n * Bill George – Linebacker 1952-1966, Hall of Fame\n * Jack Ham – Linebacker 1970-1982, Hall of Fame, four Super Bowls\n * Franco Harris – Running Back 1972-1984, four Super Bowls, Super Bowl MVP\n * Jim Haslett – head coach 2000-Present\n * Lou Holtz – college football head coach 1969-2004\n * Jeff Hostetler – Quarterback 1985-1997, two Super Bowls\n * Sam Huff – Linebacker 1956-1969, Hall of Fame\n * Stan Jones – Defensive Lineman 1954-1966, Hall of Fame\n * Jim Kelly – Quarterback 1986-1996, Hall of Fame, four Super Bowls\n * Chuck Knox – former head coach 1973-1994\n * Ty Law – Defensive Back 1995-2005, four Super Bowls\n * Johnny Lujack – Quarterback Heisman Trophy winner (1947)\n * Marvin Lewis – head coach 2003-Present\n * Dan Marino – Quarterback 1983-1999, Hall of Fame, Super Bowl\n * Ted Marchibroda – Quarterback 1953-1957, Head Coach 1975-1998\n * Curtis Martin – running back 1995-Present, Super Bowl\n * Mike McCarthy – Green Bay Packers head coach 2005-present\n * Mike McMahon – Quarterback 2001-Present\n * Joe Montana – Quarterback 1979-1994, Hall of Fame, four Super Bowls, three Super Bowl MVPs\n * Joe Namath – Quarterback 1965-1977, Hall of Fame, Super Bowl MVP\n * Rod Rutherford – Quarterback 2003-Present\n * Nick Saban – college football coach 1990-2005, NFL coach 2005-Present\n * Matt Schaub – Quarterback 2004-Present\n * Joe Schmidt – Linebacker 1953-1965, Hall of Fame\n * Marty Schottenheimer – head coach, 1984-Present\n * Sandy Stephens – Quarterback, first African American QB to lead his team to a Bowl Game\n * Joe Stydahar – Tackle 1936-1946 Hall of Fame\n * Lynn Swann – Wide Reciever 1974-1982, Hall of Fame, four Super Bowls, Super Bowl MVP\n * Willie Thrower – Quarterback (First African American Quarterback in
Business & Finance
148,368
3Education & Reference
i need some info on Steinbeck's "The Chrysanthemums", like symbol, theme, and characteralization.
Results 1 - 10 of about 1,560,000 for chrysanthemums - 0.17 sec. (About this page)\n\nAlso try: chrysanthemums steinbeck, john steinbeck chrysanthemums More... \nWEB RESULTS\nChrysanthemums \nInformation. Georgia Extension Tele-Tips. Chrysanthemums. Spring planting reaps rewards in the fall. Chrysanthemums enjoy new places in which to bloom each year. ... Chrysanthemums like soil that is well-drained and although they will grow in almost any kind of soil ... high organic content. And, your chrysanthemums should be planted where they will ...ag.fvsu.edu/html/publications/teletips/lawn and garden/flowers/530.htm - 13k - Cached - More from this site - Save\nNational Chrysanthemum Society \nincludes information about the annual convention and show.\nCategory: Plants > Chrysanthemums\nwww.mums.org - Cached - More from this site - Save\nPlants > Chrysanthemums in the Yahoo! Directory \nYahoo! reviewed these sites and found them related to Plants > Chrysanthemums ... Information and news about chrysanthemums in South Australia. Includes growing methods ... www.angelfire.com/ab3/chrysanthemum. Chrysanthemums in Scotland Chrysanthemums in Scotland ...dir.yahoo.com/Science/Biology/Botany/Plants/Chrysanthemums - 6k - Cached - More from this site - Save\nSouth Australian Chrysanthemum Centre \ninformation and news about chrysanthemums in South Australia. Includes growing methods, events, and more.\nCategory: Australia > South Australia > Science\nwww.angelfire.com/ab3/chrysanthemum - 24k - Cached - More from this site - Save\nGrowing Chrysanthemums, HYG-1219-92 \n... cultural conditions. Garden chrysanthemums are planted in the spring from established cuttings ... may present a problem with growing garden chrysanthemums. These can be removed ...ohioline.osu.edu/hyg-fact/1000/1219.html - 8k - Cached - More from this site - Save\nChrysanthemums \nBarbara Larson. Unit Educator, Horticulture. Boone and Winnebago County Units. Chrysanthemums ... Chrysanthemums. Chrysanthemums, the quintessential autumn flower, are a very large diverse group ... Africa, and southern Europe. Early chrysanthemums were probably small yellow daisy ...www.urbanext.uiuc.edu/hortihints/0310c.html - 11k - Cached - More from this site - Save\n3427 - Garden Chrysanthemums \n3427 - Garden Chrysanthemums. Mums are photoperiodic with flower buds being initiated when periods of darkness extend beyond 12 hours each day. ... as we gradually progress into autumn. Chrysanthemums can be divided into response groups with some ... The reason some chrysanthemums are termed "non-hardy" is because they belong ...www.mobot.org/gardeninghelp/hortline/messages/3427.shtml - 9k - Cached - More from this site - Save\nChrysanthemums (PDF) \n... and florists forcing mums of today. Types. Chrysanthemums are classified according to shape and ... peat, leaf mold, or well-rotted. manure. Chrysanthemums are heavy feeders and normally ...www.ces.purdue.edu/extmedia/HO/HO-77.pdf - 17k - View as html - More from this site - Save\nChrysanthemum signpost \nCHRYSANTHEMUM SIGNPOST. www.chrysanthemums.info. Use this page as a pointer to chrysanthemum sites. Hopefully this will help other enthusiasts find the pages, contacts and information they are looking for. ... This page is part of Chrysanthemums in Aberdeen website ...www.chrysanthemums.info/signpost - 24k - Cached - More from this site - Save\nLSU AgCenter . Chrysanthemums Bring Brilliant Color To Fall Gardens \n(For Release On Or After 10/07/05) It seems that everywhere you look in October you see chrysanthemums blooming. Widely available and relatively inexpensive, they are almost indispensable for providing quick color to the fall landscape. ... Whether you plant chrysanthemums into beds or feature them in containers, these ...agctr.lsu.edu/en/communications/news/...+Color+To+Fall+Gardens.htm - 37k - Cached - More from this site - Save\nSPONSOR RESULTS\nChrysanthemums: Yahoo! Shopping \nshopping.yahoo.com Sear
1,148
i need some info on Steinbeck's "The Chrysanthemums", like symbol, theme, and characteralization.Results 1 - 10 of about 1,560,000 for chrysanthemums - 0.17 sec. (About this page)\n\nAlso try: chrysanthemums steinbeck, john steinbeck chrysanthemums More... \nWEB RESULTS\nChrysanthemums \nInformation. Georgia Extension Tele-Tips. Chrysanthemums. Spring planting reaps rewards in the fall. Chrysanthemums enjoy new places in which to bloom each year. ... Chrysanthemums like soil that is well-drained and although they will grow in almost any kind of soil ... high organic content. And, your chrysanthemums should be planted where they will ...ag.fvsu.edu/html/publications/teletips/lawn and garden/flowers/530.htm - 13k - Cached - More from this site - Save\nNational Chrysanthemum Society \nincludes information about the annual convention and show.\nCategory: Plants > Chrysanthemums\nwww.mums.org - Cached - More from this site - Save\nPlants > Chrysanthemums in the Yahoo! Directory \nYahoo! reviewed these sites and found them related to Plants > Chrysanthemums ... Information and news about chrysanthemums in South Australia. Includes growing methods ... www.angelfire.com/ab3/chrysanthemum. Chrysanthemums in Scotland Chrysanthemums in Scotland ...dir.yahoo.com/Science/Biology/Botany/Plants/Chrysanthemums - 6k - Cached - More from this site - Save\nSouth Australian Chrysanthemum Centre \ninformation and news about chrysanthemums in South Australia. Includes growing methods, events, and more.\nCategory: Australia > South Australia > Science\nwww.angelfire.com/ab3/chrysanthemum - 24k - Cached - More from this site - Save\nGrowing Chrysanthemums, HYG-1219-92 \n... cultural conditions. Garden chrysanthemums are planted in the spring from established cuttings ... may present a problem with growing garden chrysanthemums. These can be removed ...ohioline.osu.edu/hyg-fact/1000/1219.html - 8k - Cached - More from this site - Save\nChrysanthemums \nBarbara Larson. Unit Educator, Horticulture. Boone and Winnebago County Units. Chrysanthemums ... Chrysanthemums. Chrysanthemums, the quintessential autumn flower, are a very large diverse group ... Africa, and southern Europe. Early chrysanthemums were probably small yellow daisy ...www.urbanext.uiuc.edu/hortihints/0310c.html - 11k - Cached - More from this site - Save\n3427 - Garden Chrysanthemums \n3427 - Garden Chrysanthemums. Mums are photoperiodic with flower buds being initiated when periods of darkness extend beyond 12 hours each day. ... as we gradually progress into autumn. Chrysanthemums can be divided into response groups with some ... The reason some chrysanthemums are termed "non-hardy" is because they belong ...www.mobot.org/gardeninghelp/hortline/messages/3427.shtml - 9k - Cached - More from this site - Save\nChrysanthemums (PDF) \n... and florists forcing mums of today. Types. Chrysanthemums are classified according to shape and ... peat, leaf mold, or well-rotted. manure. Chrysanthemums are heavy feeders and normally ...www.ces.purdue.edu/extmedia/HO/HO-77.pdf - 17k - View as html - More from this site - Save\nChrysanthemum signpost \nCHRYSANTHEMUM SIGNPOST. www.chrysanthemums.info. Use this page as a pointer to chrysanthemum sites. Hopefully this will help other enthusiasts find the pages, contacts and information they are looking for. ... This page is part of Chrysanthemums in Aberdeen website ...www.chrysanthemums.info/signpost - 24k - Cached - More from this site - Save\nLSU AgCenter . Chrysanthemums Bring Brilliant Color To Fall Gardens \n(For Release On Or After 10/07/05) It seems that everywhere you look in October you see chrysanthemums blooming. Widely available and relatively inexpensive, they are almost indispensable for providing quick color to the fall landscape. ... Whether you plant chrysanthemums into beds or feature them in containers, these ...agctr.lsu.edu/en/communications/news/...+Color+To+Fall+Gardens.htm - 37k - Cached - More from this site - Save\nSPONSOR RESULTS\nChrysanthemums: Yahoo! Shopping \nshopping.yahoo.com Sear
Education & Reference
148,472
3Education & Reference
names of the coutries that are members of the united nations?
names of the coutries that are members of the united nations
Afghanistan -- (19 Nov. 1946)\nAlbania -- (14 Dec. 1955)\nAlgeria -- (8 Oct. 1962)\nAndorra -- (28 July 1993)\nAngola -- (1 Dec. 1976)\nAntigua and Barbuda -- (11 Nov. 1981)\nArgentina -- (24 Oct. 1945)\nArmenia -- (2 Mar. 1992)\nAustralia -- (1 Nov. 1945)\nAustria-- (14 Dec. 1955)\nAzerbaijan -- (2 Mar. 1992)\nBahamas -- (18 Sep. 1973)\nBahrain -- (21 Sep. 1971)\nBangladesh -- (17 Sep. 1974)\nBarbados -- (9 Dec. 1966)\nBelarus -- (24 Oct. 1945)\n\nOn 19 September 1991, Byelorussia informed the United Nations that it had changed its name to Belarus. \n\nBelgium -- (27 Dec. 1945)\nBelize -- (25 Sep. 1981)\nBenin -- (20 Sep. 1960)\nBhutan -- (21 Sep. 1971)\nBolivia -- (14 Nov. 1945)\nBosnia and Herzegovina -- (22 May 1992)\n\nThe Socialist Federal Republic of Yugoslavia was an original Member of the United Nations, the Charter having been signed on its behalf on 26 June 1945 and ratified 19 October 1945, until its dissolution following the establishment and subsequent admission as new members of Bosnia and Herzegovina, the Republic of Croatia, the Republic of Slovenia, The former Yugoslav Republic of Macedonia, and the Federal Republic of Yugoslavia.\nThe Republic of Bosnia and Herzegovina was admitted as a Member of the United Nations by General Assembly resolution A/RES/46/237 of 22 May 1992. \n \n\nBotswana -- (17 Oct. 1966)\nBrazil -- (24 Oct. 1945)\nBrunei Darussalam -- (21 Sep. 1984)\nBulgaria -- (14 Dec. 1955)\nBurkina Faso -- (20 Sep. 1960)\nBurundi -- (18 Sep. 1962)\nCambodia -- (14 Dec. 1955)\nCameroon -- (20 Sep. 1960)\nCanada -- (9 Nov. 1945)\nCape Verde -- (16 Sep. 1975)\nCentral African Republic -- (20 Sep. 1960)\nChad -- (20 Sep. 1960)\nChile -- (24 Oct. 1945)\nChina -- (24 Oct. 1945)\nColombia -- (5 Nov. 1945)\nComoros -- (12 Nov. 1975)\nCongo (Republic of the) -- (20 Sep. 1960)\nCosta Rica -- (2 Nov. 1945)\nCôte d'Ivoire -- (20 Sep. 1960)\nCroatia -- (22 May 1992)\n\nThe Socialist Federal Republic of Yugoslavia was an original Member of the United Nations, the Charter having been signed on its behalf on 26 June 1945 and ratified 19 October 1945, until its dissolution following the establishment and subsequent admission as new members of Bosnia and Herzegovina, the Republic of Croatia, the Republic of Slovenia, The former Yugoslav Republic of Macedonia, and the Federal Republic of Yugoslavia.\nThe Republic of Croatia was admitted as a Member of the United Nations by General Assembly resolution A/RES/46/238 of 22 May 1992. \n \n\nCuba -- (24 Oct. 1945)\nCyprus -- (20 Sep. 1960)\nCzech Republic -- (19 Jan. 1993)\n\nCzechoslovakia was an original Member of the United Nations from 24 October 1945. In a letter dated 10 December 1992, its Permanent Representative informed the Secretary-General that the Czech and Slovak Federal Republic would cease to exist on 31 December 1992 and that the Czech Republic and the Slovak Republic, as successor States, would apply for membership in the United Nations. Following the receipt of its application, the Security Council, on 8 January 1993, recommended to the General Assembly that the Czech Republic be admitted to United Nations membership. The Czech Republic was thus admitted on 19 January of that year as a Member State. \n\nDemocratic People's Republic of Korea -- (17 Sep. 1991)\nDemocratic Republic of the Congo -- (20 Sep. 1960)\n\nZaire joined the United Nations on 20 September 1960. On 17 May 1997, its name was changed to the Democratic Republic of the Congo. \n\nDenmark -- (24 Oct. 1945)\nDjibouti -- (20 Sep. 1977)\nDominica -- (18 Dec. 1978)\nDominican Republic -- (24 Oct. 1945)\nEcuador -- (21 Dec. 1945)\nEgypt -- (24 Oct. 1945)\n\nEgypt and Syria were original Members of the United Nations from 24 October 1945. Following a plebiscite on 21 February 1958, the United Arab Republic was established by a union of Egypt and Syria and continued as a single Member. On 13 October 1961, Syria, having resumed its status as an independent State, resumed its separate member
1,128
names of the coutries that are members of the united nations?names of the coutries that are members of the united nationsAfghanistan -- (19 Nov. 1946)\nAlbania -- (14 Dec. 1955)\nAlgeria -- (8 Oct. 1962)\nAndorra -- (28 July 1993)\nAngola -- (1 Dec. 1976)\nAntigua and Barbuda -- (11 Nov. 1981)\nArgentina -- (24 Oct. 1945)\nArmenia -- (2 Mar. 1992)\nAustralia -- (1 Nov. 1945)\nAustria-- (14 Dec. 1955)\nAzerbaijan -- (2 Mar. 1992)\nBahamas -- (18 Sep. 1973)\nBahrain -- (21 Sep. 1971)\nBangladesh -- (17 Sep. 1974)\nBarbados -- (9 Dec. 1966)\nBelarus -- (24 Oct. 1945)\n\nOn 19 September 1991, Byelorussia informed the United Nations that it had changed its name to Belarus. \n\nBelgium -- (27 Dec. 1945)\nBelize -- (25 Sep. 1981)\nBenin -- (20 Sep. 1960)\nBhutan -- (21 Sep. 1971)\nBolivia -- (14 Nov. 1945)\nBosnia and Herzegovina -- (22 May 1992)\n\nThe Socialist Federal Republic of Yugoslavia was an original Member of the United Nations, the Charter having been signed on its behalf on 26 June 1945 and ratified 19 October 1945, until its dissolution following the establishment and subsequent admission as new members of Bosnia and Herzegovina, the Republic of Croatia, the Republic of Slovenia, The former Yugoslav Republic of Macedonia, and the Federal Republic of Yugoslavia.\nThe Republic of Bosnia and Herzegovina was admitted as a Member of the United Nations by General Assembly resolution A/RES/46/237 of 22 May 1992. \n \n\nBotswana -- (17 Oct. 1966)\nBrazil -- (24 Oct. 1945)\nBrunei Darussalam -- (21 Sep. 1984)\nBulgaria -- (14 Dec. 1955)\nBurkina Faso -- (20 Sep. 1960)\nBurundi -- (18 Sep. 1962)\nCambodia -- (14 Dec. 1955)\nCameroon -- (20 Sep. 1960)\nCanada -- (9 Nov. 1945)\nCape Verde -- (16 Sep. 1975)\nCentral African Republic -- (20 Sep. 1960)\nChad -- (20 Sep. 1960)\nChile -- (24 Oct. 1945)\nChina -- (24 Oct. 1945)\nColombia -- (5 Nov. 1945)\nComoros -- (12 Nov. 1975)\nCongo (Republic of the) -- (20 Sep. 1960)\nCosta Rica -- (2 Nov. 1945)\nCôte d'Ivoire -- (20 Sep. 1960)\nCroatia -- (22 May 1992)\n\nThe Socialist Federal Republic of Yugoslavia was an original Member of the United Nations, the Charter having been signed on its behalf on 26 June 1945 and ratified 19 October 1945, until its dissolution following the establishment and subsequent admission as new members of Bosnia and Herzegovina, the Republic of Croatia, the Republic of Slovenia, The former Yugoslav Republic of Macedonia, and the Federal Republic of Yugoslavia.\nThe Republic of Croatia was admitted as a Member of the United Nations by General Assembly resolution A/RES/46/238 of 22 May 1992. \n \n\nCuba -- (24 Oct. 1945)\nCyprus -- (20 Sep. 1960)\nCzech Republic -- (19 Jan. 1993)\n\nCzechoslovakia was an original Member of the United Nations from 24 October 1945. In a letter dated 10 December 1992, its Permanent Representative informed the Secretary-General that the Czech and Slovak Federal Republic would cease to exist on 31 December 1992 and that the Czech Republic and the Slovak Republic, as successor States, would apply for membership in the United Nations. Following the receipt of its application, the Security Council, on 8 January 1993, recommended to the General Assembly that the Czech Republic be admitted to United Nations membership. The Czech Republic was thus admitted on 19 January of that year as a Member State. \n\nDemocratic People's Republic of Korea -- (17 Sep. 1991)\nDemocratic Republic of the Congo -- (20 Sep. 1960)\n\nZaire joined the United Nations on 20 September 1960. On 17 May 1997, its name was changed to the Democratic Republic of the Congo. \n\nDenmark -- (24 Oct. 1945)\nDjibouti -- (20 Sep. 1977)\nDominica -- (18 Dec. 1978)\nDominican Republic -- (24 Oct. 1945)\nEcuador -- (21 Dec. 1945)\nEgypt -- (24 Oct. 1945)\n\nEgypt and Syria were original Members of the United Nations from 24 October 1945. Following a plebiscite on 21 February 1958, the United Arab Republic was established by a union of Egypt and Syria and continued as a single Member. On 13 October 1961, Syria, having resumed its status as an independent State, resumed its separate member
Education & Reference
149,723
6Business & Finance
what are the top 25 stock companies according to the young investor's guide?
USXP UNIVERSAL EXPRESS INC 393,652,000 0.004 0.005 0.004 0.059 0.001 \n PTSH PTS INC 146,078,200 0.020 0.021 0.006 0.600 0.002 \n INSQ INSEQ CORPORATION 79,793,700 0.001 0.001 0.001 0.075 0.001 \n PLKC PLANETLINK COMMUNICATION 72,233,300 0.004 0.055 0.003 0.078 0.002 \n NMCX NMC INC 70,191,300 0.009 0.013 0.008 0.021 0.002 \n BLYM BILLY MARTIN USA 58,386,400 0.001 0.001 0.001 0.015 0.001 \n PAPO PANGEA PETROLEUM 54,113,700 0.032 0.064 0.022 0.170 0.001 \n PHBT PURE H2O BIO-TECHNLG 51,471,000 0.001 0.001 0.001 0.025 0.001 \n CKEI CLICKABLE ENTERPRISES 48,588,100 0.038 0.064 0.035 0.750 0.010 \n WGFL WORLD GOLF LEAGUE INC 41,623,900 0.007 0.007 0.007 0.032 0.001 \n JKRI JACKSON RIVERS COMPANY 40,274,600 0.005 0.008 0.005 4.000 0.002 \n WDAM WORLD AM INC 38,749,400 0.020 0.033 0.017 0.275 0.002 \n AWBV AMERICAN WAY BUS 33,355,000 0.001 0.001 0.001 0.300 0.001 \n ONEV ONE VOICE TECHNOLOGIES 33,104,000 0.030 0.220 0.020 0.220 0.001 \n GZFX GAMEZNFLIX INC 28,868,600 0.007 0.008 0.007 0.182 0.001 \n DNAG DNAPRINT GENOMICS INC 27,611,400 0.023 0.032 0.022 3.200 0.001 \n SSTY SURE TRACE SECURITY 25,971,700 0.003 0.005 0.002 0.135 0.001 \n TNOG TITAN OIL AND GAS 22,794,400 0.007 0.008 0.006 0.434 0.001 \n RMDG RMD ENTERTAINMENT GR 20,908,700 0.001 0.002 0.001 2.727 0.001 \n PTSC PATRIOT SCIENTIFIC 20,384,700 0.270 0.289 0.201 0.290 0.009 \n CCWW CABLE & CO WORLDWIDE 19,162,100 0.005 0.005 0.004 0.015 0.002 \n ARET ARETE INDUSTRIES 18,379,200 0.004 0.006 0.003 0.099 0.001 \n AXIGE AXIA GROUP INC 17,720,800 0.044 0.070 0.035 1.800 0.001 \n UVCL UNIVERCELL HOLDINGS INC 17,714,000 0.019 0.025 0.014 0.305 0.002 \n PLNI PLASTICON INTL INC 16,952,900 0.005 0.005 0.005 0.019 0.001 \n PPTL PREMIUM PETROLM 12,521,200 0.027 0.038 0.027 1.007 0.009 \n VRDI VERIDICOM INTERNAT INC 12,029,400 0.139 0.215 0.131 2.940 0.019 \n CRGO CARGO CONNECTION LOG HLG 10,641,700 0.003 0.004 0.003 0.231 0.001 \n EYII EYI INDUSTRIES INC 10,090,100 0.048 0.049 0.042 0.395 0.017 \n CTCK COATTEC IND INC 9,917,700 0.001 0.001 0.001 0.004 0.001 \n ILCO INNOTELCO INC 9,605,600 0.001 0.001 0.001 0.080 0.001 \n HISC HOMELAND INTEGRATED 9,575,600 0.027 0.034 0.026 0.145 0.001 \n CMBV CAMBODIAN VENTURES 9,394,300 0.002 0.002 0.002 0.100 0.001 \n CGPN CYBER GROUP NETWORK CORP 9,118,400 0.009 0.014 0.007 0.020 0.003 \n IDCN INDOCAN RESOURCES INC 8,941,500 0.001 0.001 0.001 0.003 0.001 \n INXR IFINIX CORP 8,356,400 0.002 0.005 0.002 1.000 0.001 \n MBAH MBA HLDGS INC 8,325,100 0.014 0.015 0.013 0.204 0.003 \n TRDY TRUDY CORPORATION 7,769,100 0.024 0.030 0.024 0.118 0.004 \n LBTN LIFELINE BIOTECH 7,398,700 0.002 0.002 0.002 0.080 0.002 \n MSEV MICRON ENVIRO SYSTEMS 7,358,100 0.092 0.103 0.080 0.132 0.009 \n HMSC HOMELAND SECURITY CAP 7,188,500 0.002 0.002 0.002 0.026 0.001 \n IELM IELEMENT CORP 7,072,300 0.220 0.240 0.138 0.240 0.007 \n IVHG INNOVA HOLDINGS INC 6,843,700 0.009 0.011 0.008 0.075 0.001 \n RSMI RIM SEMICONDUCTOR CO 6,613,000 0.041 0.044 0.039 0.195 0.004 \n LFWK LOFTWERKS INC 6,288,000 0.002 0.003 0.002 0.400 0.001 \n FMNJ FRANKLIN MINING INC 5,972,400 0.002 0.004 0.002 0.008 0.001 \n PXIT PHOENIX INTERESTS INC 5,888,000 0.013 0.024 0.010 5.500 0.002 \n ERHE ERHC ENERGY INC 5,868,100 0.545 0.560 0.485 0.940 0.260 \n BWDIE BLUE WIRELESS & DATA INC 5,711,700 0.003 0.003 0.002 0.159 0.001 \n XDSL M-PHASE TECHNOLOGIES 5,368,800 0.406 0.410 0.380 0.650 0.015 \n \n\nDerived from the 50 most active stocks priced under $1 listed on OTC
1,951
what are the top 25 stock companies according to the young investor's guide?USXP UNIVERSAL EXPRESS INC 393,652,000 0.004 0.005 0.004 0.059 0.001 \n PTSH PTS INC 146,078,200 0.020 0.021 0.006 0.600 0.002 \n INSQ INSEQ CORPORATION 79,793,700 0.001 0.001 0.001 0.075 0.001 \n PLKC PLANETLINK COMMUNICATION 72,233,300 0.004 0.055 0.003 0.078 0.002 \n NMCX NMC INC 70,191,300 0.009 0.013 0.008 0.021 0.002 \n BLYM BILLY MARTIN USA 58,386,400 0.001 0.001 0.001 0.015 0.001 \n PAPO PANGEA PETROLEUM 54,113,700 0.032 0.064 0.022 0.170 0.001 \n PHBT PURE H2O BIO-TECHNLG 51,471,000 0.001 0.001 0.001 0.025 0.001 \n CKEI CLICKABLE ENTERPRISES 48,588,100 0.038 0.064 0.035 0.750 0.010 \n WGFL WORLD GOLF LEAGUE INC 41,623,900 0.007 0.007 0.007 0.032 0.001 \n JKRI JACKSON RIVERS COMPANY 40,274,600 0.005 0.008 0.005 4.000 0.002 \n WDAM WORLD AM INC 38,749,400 0.020 0.033 0.017 0.275 0.002 \n AWBV AMERICAN WAY BUS 33,355,000 0.001 0.001 0.001 0.300 0.001 \n ONEV ONE VOICE TECHNOLOGIES 33,104,000 0.030 0.220 0.020 0.220 0.001 \n GZFX GAMEZNFLIX INC 28,868,600 0.007 0.008 0.007 0.182 0.001 \n DNAG DNAPRINT GENOMICS INC 27,611,400 0.023 0.032 0.022 3.200 0.001 \n SSTY SURE TRACE SECURITY 25,971,700 0.003 0.005 0.002 0.135 0.001 \n TNOG TITAN OIL AND GAS 22,794,400 0.007 0.008 0.006 0.434 0.001 \n RMDG RMD ENTERTAINMENT GR 20,908,700 0.001 0.002 0.001 2.727 0.001 \n PTSC PATRIOT SCIENTIFIC 20,384,700 0.270 0.289 0.201 0.290 0.009 \n CCWW CABLE & CO WORLDWIDE 19,162,100 0.005 0.005 0.004 0.015 0.002 \n ARET ARETE INDUSTRIES 18,379,200 0.004 0.006 0.003 0.099 0.001 \n AXIGE AXIA GROUP INC 17,720,800 0.044 0.070 0.035 1.800 0.001 \n UVCL UNIVERCELL HOLDINGS INC 17,714,000 0.019 0.025 0.014 0.305 0.002 \n PLNI PLASTICON INTL INC 16,952,900 0.005 0.005 0.005 0.019 0.001 \n PPTL PREMIUM PETROLM 12,521,200 0.027 0.038 0.027 1.007 0.009 \n VRDI VERIDICOM INTERNAT INC 12,029,400 0.139 0.215 0.131 2.940 0.019 \n CRGO CARGO CONNECTION LOG HLG 10,641,700 0.003 0.004 0.003 0.231 0.001 \n EYII EYI INDUSTRIES INC 10,090,100 0.048 0.049 0.042 0.395 0.017 \n CTCK COATTEC IND INC 9,917,700 0.001 0.001 0.001 0.004 0.001 \n ILCO INNOTELCO INC 9,605,600 0.001 0.001 0.001 0.080 0.001 \n HISC HOMELAND INTEGRATED 9,575,600 0.027 0.034 0.026 0.145 0.001 \n CMBV CAMBODIAN VENTURES 9,394,300 0.002 0.002 0.002 0.100 0.001 \n CGPN CYBER GROUP NETWORK CORP 9,118,400 0.009 0.014 0.007 0.020 0.003 \n IDCN INDOCAN RESOURCES INC 8,941,500 0.001 0.001 0.001 0.003 0.001 \n INXR IFINIX CORP 8,356,400 0.002 0.005 0.002 1.000 0.001 \n MBAH MBA HLDGS INC 8,325,100 0.014 0.015 0.013 0.204 0.003 \n TRDY TRUDY CORPORATION 7,769,100 0.024 0.030 0.024 0.118 0.004 \n LBTN LIFELINE BIOTECH 7,398,700 0.002 0.002 0.002 0.080 0.002 \n MSEV MICRON ENVIRO SYSTEMS 7,358,100 0.092 0.103 0.080 0.132 0.009 \n HMSC HOMELAND SECURITY CAP 7,188,500 0.002 0.002 0.002 0.026 0.001 \n IELM IELEMENT CORP 7,072,300 0.220 0.240 0.138 0.240 0.007 \n IVHG INNOVA HOLDINGS INC 6,843,700 0.009 0.011 0.008 0.075 0.001 \n RSMI RIM SEMICONDUCTOR CO 6,613,000 0.041 0.044 0.039 0.195 0.004 \n LFWK LOFTWERKS INC 6,288,000 0.002 0.003 0.002 0.400 0.001 \n FMNJ FRANKLIN MINING INC 5,972,400 0.002 0.004 0.002 0.008 0.001 \n PXIT PHOENIX INTERESTS INC 5,888,000 0.013 0.024 0.010 5.500 0.002 \n ERHE ERHC ENERGY INC 5,868,100 0.545 0.560 0.485 0.940 0.260 \n BWDIE BLUE WIRELESS & DATA INC 5,711,700 0.003 0.003 0.002 0.159 0.001 \n XDSL M-PHASE TECHNOLOGIES 5,368,800 0.406 0.410 0.380 0.650 0.015 \n \n\nDerived from the 50 most active stocks priced under $1 listed on OTC
Business & Finance
150,171
0Society & Culture
When do you think Armageddon will happen if it could?
Just wondering....I saw the movie, and wasn't to crazy about it, but I wonder what that would be like?
The battle of Armageddon is a Plague event. Trumpet events follow Seal events followed by Plague events. Seal events have not yet concluded.\n\nAt the Sixth Plague the way is PREPARED for the soon coming battle of Armageddon, and the Dragon and the beast and the false prophet, and their armies are gathered together (by Spiritual forces) into "a place" for the battle (Re.16:12-16, Jer 51:36, Jer.51:49, Isa.63:2-3 below).\n\nAfter the Seventh, and final, PLAGUE, after the great city Babylon comes into remembrance before God, after the fall of that great city Babylon (Re.16:17-21, Revelation chapter 18), the battle of Armageddon will be fought.\n\nThe battle will be fought after the marriage of the Lamb has taken place in heaven. The church of God (1 Cor.10:32) throughout all ages (the wife) has made herself ready (Re.19:17) and are the armies of the Lord that accompanies Him to the battle (Re.19:14). \n\nThe end of the battle of Armageddon will mark the beginning of the Millennium.\n\nDirectly after the battle of Armageddon (Re.19:11-21) is fought, and after the beast and the false prophet are taken in the battle and cast into the lake of fire (Re.19:20), the Lord will stand upon the mount of Olives (Zech.14:4 below).\n\nSaints of the most High (Dan.7:22), the Lamb’s wife, will live AND reign with Him throughout the Millennium, the thousand years (Re.20:4).\n\n\nRe.16:12And the SIXTH angel poured out his vial upon the great river Eu-phra-tes; and the water thereof was dried up (Jer.51:36 below), that the way of the kings (Re.17:12-14) of the east might be PREPARED.\n\nRe.16:13And I saw three unclean spirits like frogs come out of the mouth of the dragon (Re.12:9, Re.20:2, Re.9:11), and out of the mouth of the beast (Re.13:1-8), and out of the mouth of the false prophet (Re.13:11-17).\n\nRe.16:14For they are the spirits of devils, working miracles, which go forth unto the kings of the earth and the whole world, TO GATHER THEM TO THE BATTLE OF THAT GREAT DAY OF GOD ALMIGHTY (Re.19:19).\n\nRe.16:16And he (the Sixth Plague angel) GATHERED THEM TOGETHER INTO A PLACE (Jer.51:49 below) called in the Hebrew tongue Ar-ma-ged-don.\n\n\nJer.51:36Therefore thus saith the Lord; Behold, I will plead thy cause, and take vengeance for thee (Isa.63:2-3 below); and I will dry up her sea, and make her springs dry (Re.16:12 above).\n\nJer.51:49As Babylon hath caused the slain of Israel to fall (Dan.11:33, Lk.21:24), so at Babylon (Re.14:20, Re.18:16, Re.18:18) shall fall the slain of all the earth. \n\n\nIsa.63:2Wherefore art thou red in thine apparel, and thy garments like him that treadeth in the winefat?\n\nIsa.63:3I have trodden the winepress alone (Re.14:20, Jer.51:49 above); and of the people there was none with me: for I (Re.19:13, Jn.1:1) will tread them in mine anger, and trample them in my fury; and their blood shall be sprinkled upon my garments, and I will stain all my raiment.\n\n\nZech.14:4And his feet shall stand in that day upon the mount of Olives, which is before Jerusalem on the east, and the mount of Olives shall cleave in the midst thereof toward the east and toward the west, and there shall be a very great valley; and half of the mountain shall remove toward the north, and half of it toward the south.\n\n\n\n\nPat (ndbpsa ©)
1,037
When do you think Armageddon will happen if it could?Just wondering....I saw the movie, and wasn't to crazy about it, but I wonder what that would be like?The battle of Armageddon is a Plague event. Trumpet events follow Seal events followed by Plague events. Seal events have not yet concluded.\n\nAt the Sixth Plague the way is PREPARED for the soon coming battle of Armageddon, and the Dragon and the beast and the false prophet, and their armies are gathered together (by Spiritual forces) into "a place" for the battle (Re.16:12-16, Jer 51:36, Jer.51:49, Isa.63:2-3 below).\n\nAfter the Seventh, and final, PLAGUE, after the great city Babylon comes into remembrance before God, after the fall of that great city Babylon (Re.16:17-21, Revelation chapter 18), the battle of Armageddon will be fought.\n\nThe battle will be fought after the marriage of the Lamb has taken place in heaven. The church of God (1 Cor.10:32) throughout all ages (the wife) has made herself ready (Re.19:17) and are the armies of the Lord that accompanies Him to the battle (Re.19:14). \n\nThe end of the battle of Armageddon will mark the beginning of the Millennium.\n\nDirectly after the battle of Armageddon (Re.19:11-21) is fought, and after the beast and the false prophet are taken in the battle and cast into the lake of fire (Re.19:20), the Lord will stand upon the mount of Olives (Zech.14:4 below).\n\nSaints of the most High (Dan.7:22), the Lamb’s wife, will live AND reign with Him throughout the Millennium, the thousand years (Re.20:4).\n\n\nRe.16:12And the SIXTH angel poured out his vial upon the great river Eu-phra-tes; and the water thereof was dried up (Jer.51:36 below), that the way of the kings (Re.17:12-14) of the east might be PREPARED.\n\nRe.16:13And I saw three unclean spirits like frogs come out of the mouth of the dragon (Re.12:9, Re.20:2, Re.9:11), and out of the mouth of the beast (Re.13:1-8), and out of the mouth of the false prophet (Re.13:11-17).\n\nRe.16:14For they are the spirits of devils, working miracles, which go forth unto the kings of the earth and the whole world, TO GATHER THEM TO THE BATTLE OF THAT GREAT DAY OF GOD ALMIGHTY (Re.19:19).\n\nRe.16:16And he (the Sixth Plague angel) GATHERED THEM TOGETHER INTO A PLACE (Jer.51:49 below) called in the Hebrew tongue Ar-ma-ged-don.\n\n\nJer.51:36Therefore thus saith the Lord; Behold, I will plead thy cause, and take vengeance for thee (Isa.63:2-3 below); and I will dry up her sea, and make her springs dry (Re.16:12 above).\n\nJer.51:49As Babylon hath caused the slain of Israel to fall (Dan.11:33, Lk.21:24), so at Babylon (Re.14:20, Re.18:16, Re.18:18) shall fall the slain of all the earth. \n\n\nIsa.63:2Wherefore art thou red in thine apparel, and thy garments like him that treadeth in the winefat?\n\nIsa.63:3I have trodden the winepress alone (Re.14:20, Jer.51:49 above); and of the people there was none with me: for I (Re.19:13, Jn.1:1) will tread them in mine anger, and trample them in my fury; and their blood shall be sprinkled upon my garments, and I will stain all my raiment.\n\n\nZech.14:4And his feet shall stand in that day upon the mount of Olives, which is before Jerusalem on the east, and the mount of Olives shall cleave in the midst thereof toward the east and toward the west, and there shall be a very great valley; and half of the mountain shall remove toward the north, and half of it toward the south.\n\n\n\n\nPat (ndbpsa ©)
Society & Culture
151,143
2Health
What is a medication called M-Clear Syrup? It is supposed to be codeine but I cannot find it on the net.?
Drug Name: M-CLEAR\n\nIMPORTANT NOTE:\nTHE FOLLOWING INFORMATION IS INTENDED TO SUPPLEMENT, NOT SUBSTITUTE FOR, THE EXPERTISE AND JUDGMENT OF YOUR PHYSICIAN, PHARMACIST OR OTHER HEALTHCARE PROFESSIONAL. IT SHOULD NOT BE CONSTRUED TO INDICATE THAT USE OF THE DRUG IS SAFE, APPROPRIATE, OR EFFECTIVE FOR YOU. CONSULT YOUR HEALTHCARE PROFESSIONAL BEFORE USING M-CLEAR.\n\nHYDROCODONE - POTASSIUM GUAIACOLSULFONATE - ORAL (poh-TASS-ee-um GWEYE-uh-koll-SULL-fun-ate W/hi-droh-KOH-doan)\n\nCOMMON BRAND NAME(S):\nM-Clear, Prolex DH\n\n\nUSES:\nThis combination of cough suppressant and expectorant is used to treat cough due to colds or flu. Also, phlegm (lung secretions) may become less thick after using M-CLEAR along with fluids.\n\nHOW TO USE M-CLEAR:\nTake M-CLEAR by mouth generally 4 times daily as needed, or as directed by your doctor. If stomach upset occurs, this product may be taken with food. Drink plenty of fluids unless otherwise directed. Use M-CLEAR exactly as prescribed. Do not increase your dose, take it more frequently or use it for a longer period of time than prescribed because M-CLEAR can be habit-forming. Also, if used for an extended period of time, do not suddenly stop using this medicine without your doctor's approval. When used for an extended period, M-CLEAR may not work as well and may require different dosing. Talk with your doctor if M-CLEAR stops working well. Notify your doctor if your condition does not improve in 7 days or if you develop a high fever or persistent headache.\n\nSIDE EFFECTS:\nDrowsiness, dizziness, blurred vision, nausea, vomiting or constipation may occur. If these effects persist or worsen, notify your doctor. Unlikely but report promptly unusually fast heartbeat or decreased amount of urine. An allergic reaction to M-CLEAR is unlikely, but seek immediate medical attention if it occurs. Symptoms of an allergic reaction include rash, itching, swelling, dizziness or trouble breathing. If you notice other side effects not listed above, contact your doctor or pharmacist.\n\nPRECAUTIONS:\nTell your doctor your medical history, including any allergies (including codeine), lung disease (e.g., asthma, emphysema) or recent head injury. M-CLEAR may make you dizzy or drowsy; use caution engaging in activities requiring alertness such as driving or using machinery. Avoid alcoholic beverages. Caution is advised when using M-CLEAR in the elderly, as they may be more sensitive to drug side effects. Children may be more sensitive to the effects of this medicine. Use cautiously. This product should not be given to children under 3 years of age. This combination of medications should be used only when clearly needed during pregnancy. Discuss the risks and benefits with your doctor. It is not known whether this combination of medications passes into breast milk. Because of the potential risk to the infant, breast-feeding while using this product is not recommended. Consult your doctor before breast-feeding.\n\nDRUG INTERACTIONS:\nTell your doctor of all prescription and nonprescription drugs you may use, especially cimetidine, naltrexone, and drugs causing drowsiness, such as medicine for sleep, sedatives, tranquilizers, anti-anxiety drugs, narcotic pain relievers (e.g., codeine), psychiatric medicines, anti-seizure drugs, muscle relaxants and antihistamines that cause drowsiness (e.g., diphenhydramine). Check the labels on all your medicines (e.g., cough-and-cold products) because they may contain drowsiness-causing ingredients. Ask your pharmacist about the safe use of those products. Do not start or stop any medicine without doctor or pharmacist approval.\n\nOVERDOSE:\nIf overdose is suspected, contact your local poison control center or emergency room immediately. Symptoms of overdose may include slowed breathing, drowsiness, deep sleep or loss of consciousness, cold and clammy skin, dry mouth, and slow pulse.\n\nNOTES:\nDo not share this product with others. M-CLEAR has been prescribed for your curre
1,026
What is a medication called M-Clear Syrup? It is supposed to be codeine but I cannot find it on the net.?Drug Name: M-CLEAR\n\nIMPORTANT NOTE:\nTHE FOLLOWING INFORMATION IS INTENDED TO SUPPLEMENT, NOT SUBSTITUTE FOR, THE EXPERTISE AND JUDGMENT OF YOUR PHYSICIAN, PHARMACIST OR OTHER HEALTHCARE PROFESSIONAL. IT SHOULD NOT BE CONSTRUED TO INDICATE THAT USE OF THE DRUG IS SAFE, APPROPRIATE, OR EFFECTIVE FOR YOU. CONSULT YOUR HEALTHCARE PROFESSIONAL BEFORE USING M-CLEAR.\n\nHYDROCODONE - POTASSIUM GUAIACOLSULFONATE - ORAL (poh-TASS-ee-um GWEYE-uh-koll-SULL-fun-ate W/hi-droh-KOH-doan)\n\nCOMMON BRAND NAME(S):\nM-Clear, Prolex DH\n\n\nUSES:\nThis combination of cough suppressant and expectorant is used to treat cough due to colds or flu. Also, phlegm (lung secretions) may become less thick after using M-CLEAR along with fluids.\n\nHOW TO USE M-CLEAR:\nTake M-CLEAR by mouth generally 4 times daily as needed, or as directed by your doctor. If stomach upset occurs, this product may be taken with food. Drink plenty of fluids unless otherwise directed. Use M-CLEAR exactly as prescribed. Do not increase your dose, take it more frequently or use it for a longer period of time than prescribed because M-CLEAR can be habit-forming. Also, if used for an extended period of time, do not suddenly stop using this medicine without your doctor's approval. When used for an extended period, M-CLEAR may not work as well and may require different dosing. Talk with your doctor if M-CLEAR stops working well. Notify your doctor if your condition does not improve in 7 days or if you develop a high fever or persistent headache.\n\nSIDE EFFECTS:\nDrowsiness, dizziness, blurred vision, nausea, vomiting or constipation may occur. If these effects persist or worsen, notify your doctor. Unlikely but report promptly unusually fast heartbeat or decreased amount of urine. An allergic reaction to M-CLEAR is unlikely, but seek immediate medical attention if it occurs. Symptoms of an allergic reaction include rash, itching, swelling, dizziness or trouble breathing. If you notice other side effects not listed above, contact your doctor or pharmacist.\n\nPRECAUTIONS:\nTell your doctor your medical history, including any allergies (including codeine), lung disease (e.g., asthma, emphysema) or recent head injury. M-CLEAR may make you dizzy or drowsy; use caution engaging in activities requiring alertness such as driving or using machinery. Avoid alcoholic beverages. Caution is advised when using M-CLEAR in the elderly, as they may be more sensitive to drug side effects. Children may be more sensitive to the effects of this medicine. Use cautiously. This product should not be given to children under 3 years of age. This combination of medications should be used only when clearly needed during pregnancy. Discuss the risks and benefits with your doctor. It is not known whether this combination of medications passes into breast milk. Because of the potential risk to the infant, breast-feeding while using this product is not recommended. Consult your doctor before breast-feeding.\n\nDRUG INTERACTIONS:\nTell your doctor of all prescription and nonprescription drugs you may use, especially cimetidine, naltrexone, and drugs causing drowsiness, such as medicine for sleep, sedatives, tranquilizers, anti-anxiety drugs, narcotic pain relievers (e.g., codeine), psychiatric medicines, anti-seizure drugs, muscle relaxants and antihistamines that cause drowsiness (e.g., diphenhydramine). Check the labels on all your medicines (e.g., cough-and-cold products) because they may contain drowsiness-causing ingredients. Ask your pharmacist about the safe use of those products. Do not start or stop any medicine without doctor or pharmacist approval.\n\nOVERDOSE:\nIf overdose is suspected, contact your local poison control center or emergency room immediately. Symptoms of overdose may include slowed breathing, drowsiness, deep sleep or loss of consciousness, cold and clammy skin, dry mouth, and slow pulse.\n\nNOTES:\nDo not share this product with others. M-CLEAR has been prescribed for your curre
Health
151,199
7Entertainment & Music
Any1 have the full list of rules from wedding crashers?
* Rule # 1 - Never leave a fellow Crasher behind. Crashers take care of their own\n * Rule # 2 - Never use your real name.\n * Rule # 3 - Never confess.\n * Rule # 4 - No one goes home alone.\n * Rule # 5 - Never let a girl get between you and a fellow Crasher.\n * Rule # 6 - Do not sit in the corner and sulk. It draws attention in a negative way. Draw attention to yourself, but on your own terms.\n * Rule # 7 - Blend in by standing out.\n * Rule # 8 - Be the life of the party.\n * Rule # 9 - Whatever it takes to get in, get in.\n * Rule # 10 - Invitations are for pussies.\n * Rule # 11 - Sensitive is good.\n * Rule # 12 - When it stops being fun, break something.\n * Rule # 13 - Bridesmaids are desperate - console them.\n * Rule # 14 - You're a distant relative of a dead cousin.\n * Rule # 15 - Fight the urge to tell the truth.\n * Rule # 16 - Always have an up-to-date family tree.\n * Rule # 17 - Every female wedding guest deserves a wedding night.\n * Rule # 18 - You love animals and children.\n * Rule # 19 - Toast in the native language if you know the native language and have practiced the toast. Do not wing it.\n * Rule # 20 - Always have an early "appointment" the next morning.\n * Rule # 21 - Definitely make sure she's 18.\n * Rule # 22 - You have a wedding and a reception to seal the deal. Period. No overtime.\n * Rule # 23 - There's nothing wrong with having seconds. Provided there's enough women to go around.\n * Rule # 24 - If you get outted, leave calmly. Do not run.\n * Rule # 25 - You understand she heard that but that's not what you meant.\n * Rule # 26 - Of course you love her.\n * Rule # 27 - Don't over drink. The machinery must work in order to close.\n * Rule # 28 - Make sure there's an open bar.\n * Rule # 29 - Always be a team player. Everyone needs a little help now and again.\n * Rule # 30 - Know the playbook so you can call an audible.\n * Rule # 31 - If you call an audible, always make sure your fellow Crashers know.\n * Rule # 32 - Don't commit to a relative unless you're absolutely sure that they have a pulse.\n * Rule # 33 - Never go back to your place.\n * Rule # 34 - Be gone by sunrise.\n * Rule # 35 - Breakfast is for closers.\n * Rule # 36 - Your favorite movie is "The English Patient".\n * Rule # 37 - At the reception, one hard drink or two beers max. A drunk crasher is a sloppy crasher.\n * Rule # 38 - Never hit on the bride! It's a one-way ticket to the pavement.\n * Rule # 39 - The way to a woman's bed is through the dance floor.\n * Rule # 40 - Dance with old folks and the kids. The girls will think you're "sweet."\n * Rule # 41 - If there is a cash bar, bring your fake war medals. You'll never have to buy a drink.\n * Rule # 42 - Try not to break anything, unless you're not having fun.\n * Rule # 43 - At the service, sit in the fifth row. It's close enough to the wedding party to seem like you're an invited guest. Never sit in the back. The back row just smells like crashing.\n * Rule # 44 - Create an air of mystery that involves some painful experience when interacting with the girl you're after. But don't talk about it.\n * Rule # 45 - Always remember your fake name!\n * Rule # 46 - The Rules of Wedding Crashing are sacred. Don't sully them by "improvising."\n * Rule # 47 - You forgot your invitation in your rush to get to the church.\n * Rule # 48 - Make sure all the single women at the wedding know you're there because you've just suffered either a terrible breakup or the death of your fiancee.\n * Rule # 49 - Always work into the conversation: "Yeah, I have tons of money. But how does one buy happiness?"\n * Rule # 50 - Be pensive! It draws out the "healer" in women.\n * Rule # 51 - Always pull
1,052
Any1 have the full list of rules from wedding crashers?* Rule # 1 - Never leave a fellow Crasher behind. Crashers take care of their own\n * Rule # 2 - Never use your real name.\n * Rule # 3 - Never confess.\n * Rule # 4 - No one goes home alone.\n * Rule # 5 - Never let a girl get between you and a fellow Crasher.\n * Rule # 6 - Do not sit in the corner and sulk. It draws attention in a negative way. Draw attention to yourself, but on your own terms.\n * Rule # 7 - Blend in by standing out.\n * Rule # 8 - Be the life of the party.\n * Rule # 9 - Whatever it takes to get in, get in.\n * Rule # 10 - Invitations are for pussies.\n * Rule # 11 - Sensitive is good.\n * Rule # 12 - When it stops being fun, break something.\n * Rule # 13 - Bridesmaids are desperate - console them.\n * Rule # 14 - You're a distant relative of a dead cousin.\n * Rule # 15 - Fight the urge to tell the truth.\n * Rule # 16 - Always have an up-to-date family tree.\n * Rule # 17 - Every female wedding guest deserves a wedding night.\n * Rule # 18 - You love animals and children.\n * Rule # 19 - Toast in the native language if you know the native language and have practiced the toast. Do not wing it.\n * Rule # 20 - Always have an early "appointment" the next morning.\n * Rule # 21 - Definitely make sure she's 18.\n * Rule # 22 - You have a wedding and a reception to seal the deal. Period. No overtime.\n * Rule # 23 - There's nothing wrong with having seconds. Provided there's enough women to go around.\n * Rule # 24 - If you get outted, leave calmly. Do not run.\n * Rule # 25 - You understand she heard that but that's not what you meant.\n * Rule # 26 - Of course you love her.\n * Rule # 27 - Don't over drink. The machinery must work in order to close.\n * Rule # 28 - Make sure there's an open bar.\n * Rule # 29 - Always be a team player. Everyone needs a little help now and again.\n * Rule # 30 - Know the playbook so you can call an audible.\n * Rule # 31 - If you call an audible, always make sure your fellow Crashers know.\n * Rule # 32 - Don't commit to a relative unless you're absolutely sure that they have a pulse.\n * Rule # 33 - Never go back to your place.\n * Rule # 34 - Be gone by sunrise.\n * Rule # 35 - Breakfast is for closers.\n * Rule # 36 - Your favorite movie is "The English Patient".\n * Rule # 37 - At the reception, one hard drink or two beers max. A drunk crasher is a sloppy crasher.\n * Rule # 38 - Never hit on the bride! It's a one-way ticket to the pavement.\n * Rule # 39 - The way to a woman's bed is through the dance floor.\n * Rule # 40 - Dance with old folks and the kids. The girls will think you're "sweet."\n * Rule # 41 - If there is a cash bar, bring your fake war medals. You'll never have to buy a drink.\n * Rule # 42 - Try not to break anything, unless you're not having fun.\n * Rule # 43 - At the service, sit in the fifth row. It's close enough to the wedding party to seem like you're an invited guest. Never sit in the back. The back row just smells like crashing.\n * Rule # 44 - Create an air of mystery that involves some painful experience when interacting with the girl you're after. But don't talk about it.\n * Rule # 45 - Always remember your fake name!\n * Rule # 46 - The Rules of Wedding Crashing are sacred. Don't sully them by "improvising."\n * Rule # 47 - You forgot your invitation in your rush to get to the church.\n * Rule # 48 - Make sure all the single women at the wedding know you're there because you've just suffered either a terrible breakup or the death of your fiancee.\n * Rule # 49 - Always work into the conversation: "Yeah, I have tons of money. But how does one buy happiness?"\n * Rule # 50 - Be pensive! It draws out the "healer" in women.\n * Rule # 51 - Always pull
Entertainment & Music
151,767
1Science & Mathematics
What are the best ways to describe newton's first,second,and third laws of physics?
THE HAT LAW (beeep! beeep! Move it Hat Guy!)\nTHE YOU BIG BULLY LAW (try & knock me down)\nTHE HELP I'M A BUG LAW (SPLAT! *Help, I'm a bug!*)\n\nYour question rocks because all you hear from books and teachers is (use Peanuts TV show teacher voice here)\n\n"bwah bwah bwah tends to remain in motion bwah bwah equal and opposite reaction bwah bwah bwah"\n\nI think this is because they do not really understand it.\n\nYou know who understands this stuff by the seat of their pants? Bikers! Harley, Suzuki, Honda, you name it, they totally get it.\n\nAction-Reaction, sure enough. But you have asked what is so QUESTION NUMBER ONE in physics. \n\nHere's a way to remember and understand through a totally whack story.\n\nIt took a super-genius, I mean way smarter than Einstein, to figure it out. A good old farm boy, astrologer, magician & alchemist, religious fanatic, mathematician and all around kook. Yes sirree, Sir Isaac Newton.\n \nWell we all know what a force is, it is a sort of push or pull -- think of it as something that changes or *tries to change* the motion of stuff.\n\nNewton first figured out that if you leave a thing alone, or if the pushes and pulls on it cancel out, then it will sit there like a lump. Like those drivers wearing hats, and like sit there after the light has already turned green two minutes ago.\n\nOr else a thing will keep moving in the same straight line direction and speed like those drivers wearing hats who go 40 mph on the expressway with their turn signal blinking on and on. This is known as "THE HAT LAW".\n\nAll was well until he noticed that things move faster in an amount equal to how much you bully them or push them around. Twice the force, twice the fasterness and fasterness (also known as acceleration). This is called the "YOU BIG BULLY LAW".\n\nThen he discovered a fly in the ointment. His HAT and BULLY laws didn't really explain all that much. Something was gumming up this beautiful theory. We call it MASS and it is still an unknown mystery as to what it really is. So we vaguely call it the amount of stuff or matter in a thing.\n\nSo he found out that for a certain force the faster-isity (acceleration) is cut in half if you double the mass. The bully has to push twice as hard to fasterize two little kids. So he was like "I'll just add that in, and all will be cool". The "YOU BIG BULLY LAW" and "THE HAT LAW" totally did it all. Let's hear it, big-time: Boo Yah!\n\nBut then Newton had a road accident. He was gunning his Harley over London bridge at like 250 when a bug hit him in the mouth and knocked out one of his wooden teeth. He was all "Why am I so in pain?". And the bug as it squooshed said "Help! I'm a bug!"\n\nSo spitting out the splinters of his wooden tooth and the splattered bug, he had this revelation. He realized that because he was moving so fast, and the bug slowed down so fast, that even a miniscule mass like a bug was like taking a hammer to his tooth.\n\nHe noticed that the force was equal to the mass of the bug times the speed of impact all happening in a brief moment. \n\nSince Newton spoke Latin (he was the love child of Joe Newton and an Italian governess) he wrote "Fastus buggus ina momentum hurtus like crazy." Today we call this "momentum" (really) It is just "mass times speed" or "force times a small moment of time".\n\nAnd he realized that the bug smashed up his tooth, but also that the bug was squashed (like a bug) because they were trading off the EXACT same amount of momentum. \n\nThe force on the tooth by the bug in the moment of time was PRECISELY equal to the smacko-ing the tooth used to stop the bug dead.\n\nHe said "Hey, like he broke my tooth, but I killed him soooo dead!" He did the math and found that the force of the bug on the tooth was equal to the force of the tooth on the bug!\n\nNo way did the two eq
1,043
What are the best ways to describe newton's first,second,and third laws of physics?THE HAT LAW (beeep! beeep! Move it Hat Guy!)\nTHE YOU BIG BULLY LAW (try & knock me down)\nTHE HELP I'M A BUG LAW (SPLAT! *Help, I'm a bug!*)\n\nYour question rocks because all you hear from books and teachers is (use Peanuts TV show teacher voice here)\n\n"bwah bwah bwah tends to remain in motion bwah bwah equal and opposite reaction bwah bwah bwah"\n\nI think this is because they do not really understand it.\n\nYou know who understands this stuff by the seat of their pants? Bikers! Harley, Suzuki, Honda, you name it, they totally get it.\n\nAction-Reaction, sure enough. But you have asked what is so QUESTION NUMBER ONE in physics. \n\nHere's a way to remember and understand through a totally whack story.\n\nIt took a super-genius, I mean way smarter than Einstein, to figure it out. A good old farm boy, astrologer, magician & alchemist, religious fanatic, mathematician and all around kook. Yes sirree, Sir Isaac Newton.\n \nWell we all know what a force is, it is a sort of push or pull -- think of it as something that changes or *tries to change* the motion of stuff.\n\nNewton first figured out that if you leave a thing alone, or if the pushes and pulls on it cancel out, then it will sit there like a lump. Like those drivers wearing hats, and like sit there after the light has already turned green two minutes ago.\n\nOr else a thing will keep moving in the same straight line direction and speed like those drivers wearing hats who go 40 mph on the expressway with their turn signal blinking on and on. This is known as "THE HAT LAW".\n\nAll was well until he noticed that things move faster in an amount equal to how much you bully them or push them around. Twice the force, twice the fasterness and fasterness (also known as acceleration). This is called the "YOU BIG BULLY LAW".\n\nThen he discovered a fly in the ointment. His HAT and BULLY laws didn't really explain all that much. Something was gumming up this beautiful theory. We call it MASS and it is still an unknown mystery as to what it really is. So we vaguely call it the amount of stuff or matter in a thing.\n\nSo he found out that for a certain force the faster-isity (acceleration) is cut in half if you double the mass. The bully has to push twice as hard to fasterize two little kids. So he was like "I'll just add that in, and all will be cool". The "YOU BIG BULLY LAW" and "THE HAT LAW" totally did it all. Let's hear it, big-time: Boo Yah!\n\nBut then Newton had a road accident. He was gunning his Harley over London bridge at like 250 when a bug hit him in the mouth and knocked out one of his wooden teeth. He was all "Why am I so in pain?". And the bug as it squooshed said "Help! I'm a bug!"\n\nSo spitting out the splinters of his wooden tooth and the splattered bug, he had this revelation. He realized that because he was moving so fast, and the bug slowed down so fast, that even a miniscule mass like a bug was like taking a hammer to his tooth.\n\nHe noticed that the force was equal to the mass of the bug times the speed of impact all happening in a brief moment. \n\nSince Newton spoke Latin (he was the love child of Joe Newton and an Italian governess) he wrote "Fastus buggus ina momentum hurtus like crazy." Today we call this "momentum" (really) It is just "mass times speed" or "force times a small moment of time".\n\nAnd he realized that the bug smashed up his tooth, but also that the bug was squashed (like a bug) because they were trading off the EXACT same amount of momentum. \n\nThe force on the tooth by the bug in the moment of time was PRECISELY equal to the smacko-ing the tooth used to stop the bug dead.\n\nHe said "Hey, like he broke my tooth, but I killed him soooo dead!" He did the math and found that the force of the bug on the tooth was equal to the force of the tooth on the bug!\n\nNo way did the two eq
Science & Mathematics
154,347
4Computers & Internet
What other search engine except for google and yahoo do you know?
something clean and effective
(Don't Forget MSN!)...\n\nBefore I launch into descriptions of the sites, here's the list of the search engines worth looking at:\n\nGoogle http://www.google.com\nYahoo! http://www.yahoo.com\nMSN http://www.msn.com\nDogpile http://www.dogpile.com\nAskJeeves http://www.askjeeves.com and Teoma http://www.teoma.com\nHotBot http://www.hotbot.com\nAltavista http://www.altavista.com\nGigablast http://www.gigablast.com\nLooksmart http://www.looksmart.com\n\nYou wanted other search engines besides Google and Yahoo!, something clean and effective. Truth be told, they are both clean and effective and have an excellent index of web pages to search from.\nFrom the top:\n\n\nIn the "Big Three" you have\nGoogle http://www.google.com\nThis engine seems to be the top choice for searchers because of its clean layout, record-setting number of indexed pages, and intellegent ordering of results. Also popular about it is the way you can enter questions into it, such as math questions and movie times. You can access a list of all the cool stuff you can do in Google Search at http://www.google.com/help/features.html .\n\nYahoo! http://www.yahoo.com\nis also a popular choice for the exact same reasons. It has a slightly different but just as clean layout. It too, provides excellent results, Yahoo! also has a large number of in-search features, listed at http://help.yahoo.com/help/us/ysearch/tips/tips-01.html. Some people don't like how the main page for Yahoo! search has other things on it. However, a perfectly clean page which has only Yahoo! search can be found at http://search.yahoo.com .\n\nMSN http://www.msn.com\nTotally revamped in the recent years, Microsoft Search is an excellent search engine with great results as well. MSN also has a "clean" search page at http://search.msn.com\n\nThen the more minor (but still useful!) engines: \n\nDogPile http://www.dogpile.com\nThis engine is not actually an engine at all- the site is a "metasearch" site, which means that it grabs results from a great number of search engine and displays them all. A good choice if you're looking for something that probably won't come up in most engines. However, it is a bad choice for general searches, because you'll end up having the same results as you would have had by asking any of the popular engines.\n\nAskJeeves http://www.askjeeves.com\nAsk Jeeves initially gained fame a while back by letting you search by asking questions and responded with what seemed to be the right answer to everything. Behind the scenes about 100 editors who monitored search logs and programmed the engine to respond with the right answer next time the question was asked. Nowadays it relies on a regular search engine, known as...\n\nTeoma http://www.teoma.com\nIt has a smaller index of the web than Google and Yahoo. However, being large doesn't make much of a difference when it comes to the more popular searches, and Teoma is known to provide relevant results for the searches. Some people also like its "Refine" feature, which offers suggested topics to explore after you do a search and the "Resources" section of results which points you to pages that specifically serve as link resources about various topics.\n\nAllTheWeb http://www.alltheweb.com\nYou mentioned clean and effective. Well, since Yahoo! bought out AllTheWeb, they've used it as a "cleaner" look for the exact same results of what you'd get with Yahoo!\n\nHotBot http://www.hotbot.com\nHotBot simply lists the results from Google, Yahoo!, and Teoma. Unlike a metasearcher, HotBot does not combine the results.\n\nGigablast http://www.gigablast.com\nThis search engine has a very small database, and not much used. The only thing worth mentioning is that it has complete reports on when a page was last indexed and modified.\n\nLycos http://www.lycos.com\nLycos is one of the oldest search engines on the internet. Nowadays, it gathers its results
1,028
What other search engine except for google and yahoo do you know?something clean and effective(Don't Forget MSN!)...\n\nBefore I launch into descriptions of the sites, here's the list of the search engines worth looking at:\n\nGoogle http://www.google.com\nYahoo! http://www.yahoo.com\nMSN http://www.msn.com\nDogpile http://www.dogpile.com\nAskJeeves http://www.askjeeves.com and Teoma http://www.teoma.com\nHotBot http://www.hotbot.com\nAltavista http://www.altavista.com\nGigablast http://www.gigablast.com\nLooksmart http://www.looksmart.com\n\nYou wanted other search engines besides Google and Yahoo!, something clean and effective. Truth be told, they are both clean and effective and have an excellent index of web pages to search from.\nFrom the top:\n\n\nIn the "Big Three" you have\nGoogle http://www.google.com\nThis engine seems to be the top choice for searchers because of its clean layout, record-setting number of indexed pages, and intellegent ordering of results. Also popular about it is the way you can enter questions into it, such as math questions and movie times. You can access a list of all the cool stuff you can do in Google Search at http://www.google.com/help/features.html .\n\nYahoo! http://www.yahoo.com\nis also a popular choice for the exact same reasons. It has a slightly different but just as clean layout. It too, provides excellent results, Yahoo! also has a large number of in-search features, listed at http://help.yahoo.com/help/us/ysearch/tips/tips-01.html. Some people don't like how the main page for Yahoo! search has other things on it. However, a perfectly clean page which has only Yahoo! search can be found at http://search.yahoo.com .\n\nMSN http://www.msn.com\nTotally revamped in the recent years, Microsoft Search is an excellent search engine with great results as well. MSN also has a "clean" search page at http://search.msn.com\n\nThen the more minor (but still useful!) engines: \n\nDogPile http://www.dogpile.com\nThis engine is not actually an engine at all- the site is a "metasearch" site, which means that it grabs results from a great number of search engine and displays them all. A good choice if you're looking for something that probably won't come up in most engines. However, it is a bad choice for general searches, because you'll end up having the same results as you would have had by asking any of the popular engines.\n\nAskJeeves http://www.askjeeves.com\nAsk Jeeves initially gained fame a while back by letting you search by asking questions and responded with what seemed to be the right answer to everything. Behind the scenes about 100 editors who monitored search logs and programmed the engine to respond with the right answer next time the question was asked. Nowadays it relies on a regular search engine, known as...\n\nTeoma http://www.teoma.com\nIt has a smaller index of the web than Google and Yahoo. However, being large doesn't make much of a difference when it comes to the more popular searches, and Teoma is known to provide relevant results for the searches. Some people also like its "Refine" feature, which offers suggested topics to explore after you do a search and the "Resources" section of results which points you to pages that specifically serve as link resources about various topics.\n\nAllTheWeb http://www.alltheweb.com\nYou mentioned clean and effective. Well, since Yahoo! bought out AllTheWeb, they've used it as a "cleaner" look for the exact same results of what you'd get with Yahoo!\n\nHotBot http://www.hotbot.com\nHotBot simply lists the results from Google, Yahoo!, and Teoma. Unlike a metasearcher, HotBot does not combine the results.\n\nGigablast http://www.gigablast.com\nThis search engine has a very small database, and not much used. The only thing worth mentioning is that it has complete reports on when a page was last indexed and modified.\n\nLycos http://www.lycos.com\nLycos is one of the oldest search engines on the internet. Nowadays, it gathers its results
Computers & Internet
155,124
2Health
Fibromyalgia - help! - do you think I have it?
my symptoms- 10 yrs. chronic neck pain not cleared up by months of PT/acupuncture/anti-inflamms.; headaches (muscle tension & migraine);\nTMJ;\nchronic joint pain - neck, back, hips, knees, ankles, toes;\nconstant total exhaustion & never feel rested after sleep;\ndepression/anxiety;\ndry eyes, mouth;\nvery low exercise stamina;\njoint pain worse after exercise, in morning;\nIBS;\nsusceptible to ankle sprains (3 in 5 years);\nsensitive to light/noise;\nsensitive to hot/cold weather & humidity;\nlack of concentration/focus.\nThere are also points on my legs that hurt a lot if pressed, but don't correspond to any kind of injury - it just hurts and has for a long time.\nThe second part of my question is: \nHas anyone who has this taken ACCUTANE? I'm trying to find a correlation because I have constant lingering problems due to accutane - chronic intercranial hypertension (pseudotumor cerebri), pressure/pounding in head, tinnitis, fatigue.\nTHANKS SO MUCH!
I have had Fibro since I was 16, actually 20 years now. It does sound like you have some of the symptoms. I am also wondering if you may have Rhuematiod Arthritis because of the joint involvement. Your headaches may actually be Cluster Headaches if they continue to reoccur frequently and you have a sharp pain around one eye. My clusters usually sit in the back of my head until a spike hits me in the eye (what it feels like). Also, these conditions can co-exist (you can have them both). I don't believe I have ever taken Accutane.\nFibromyalgia associated syndromes\n\nIt is not unusual for fibromyalgia patients to have an array of bodily complaints other than musculoskeletal pain. It is now thought that these symptoms are a result of the abnormal sensory processing – as described in the previous section. Recognition and treatment of these associated problems are important in the overall management of your fibromyalgia. \n\nNon-restorative sleep\nCognitive dysfunction\nChronic fatigue\nCold intolerance\nRestless leg syndrome\nMultiple sensitivities\nIrritable bowel syndrome\nDizziness\nIrritable bladder syndrome\nNeurally mediated hypotension\n\n1. Chronic fatigue: The common treatable cause of chronic fatigue in fibromyalgia patients are: (1) inappropriate dosing of medications (TCAs, drugs with antihistamine actions, benzodiazapines etc.), (2) depression, (3) aerobic deconditioning, (3) a primary sleep disorder (e.g. sleep apnea), (4) non-restorative sleep (see above) and (5) neurally mediated hypotension (see below). A new drug called Provigil is of some help when used intermittently for management of fatigue.\n\n2. Restless leg syndrome: This strictly refers to daytime (usually maximal in the evening) symptoms of (1) unusual sensations in the lower limbs (but can occur in arms or even scalp) that are often described as paresthesia (numbness, tingling, itching, muscle crawling) and (2) a restlessness, in that stretching or walking eases the sensory symptoms. This daytime symptomatology is nearly always accompanied by a sleep disorder - now referred to as periodic limb movement disorder (formerly nocturnal myoclonus). Treatment is simple and very effective – DOPA / Levodopa (Sinemet) in an early evening dose of 10/100 (a minority require a higher dose or use of the long acting preparations).\n\n3. Irritable bowel syndrome: This common syndrome of GI distress that occurs in about 20% of the general population is found in about 60% of fibromyalgia patients. The symptoms are those of abdominal pain, distension with an altered bowel habit (constipation, diarrhea or an alternating disturbance). Typically the abdominal discomfort is improved by bowel evacuation. Due to abnormal sensory processing these symptoms may be quite distressing to fibromyalgia patients. Treatment involves (1) elimination of foods that aggravate symptoms, (2) minimizing psychological distress, (3) adhering to basic rules for maintaining a regular bowel habit, (4) prescribing medications for specific symptoms; constipation (stool softener, fiber supplementation and gentle laxatives such as bisacodyl), diarrhea (loperamide or diphenoxylate) and antispasmodics (dicyclomine or anticholinergic / sedative preparations such as Donnatal).\n\n4. Irritable bladder syndrome: This is found in 40-60% of fibromyalgia patients. The initial incorrect diagnoses are usually recurrent urinary tract infections, interstitial cystitis or a gynecological condition. Once these possibilities have been ruled out a diagnosis of irritable bladder syndrome (also called female urethal syndrome) should be considered. The typical symptoms are those of suprapubic discomfort with an urgency to void, often accompanied by frequency and dysuria. In a sub-population of fibromyalgia patients this is related to a myofascial trigger point in the pubic insertion of the rectus abdominus muscles – and may be helped by a procaine myofascial trigger point injection). Treatment: involves (1) incr
1,152
Fibromyalgia - help! - do you think I have it?my symptoms- 10 yrs. chronic neck pain not cleared up by months of PT/acupuncture/anti-inflamms.; headaches (muscle tension & migraine);\nTMJ;\nchronic joint pain - neck, back, hips, knees, ankles, toes;\nconstant total exhaustion & never feel rested after sleep;\ndepression/anxiety;\ndry eyes, mouth;\nvery low exercise stamina;\njoint pain worse after exercise, in morning;\nIBS;\nsusceptible to ankle sprains (3 in 5 years);\nsensitive to light/noise;\nsensitive to hot/cold weather & humidity;\nlack of concentration/focus.\nThere are also points on my legs that hurt a lot if pressed, but don't correspond to any kind of injury - it just hurts and has for a long time.\nThe second part of my question is: \nHas anyone who has this taken ACCUTANE? I'm trying to find a correlation because I have constant lingering problems due to accutane - chronic intercranial hypertension (pseudotumor cerebri), pressure/pounding in head, tinnitis, fatigue.\nTHANKS SO MUCH!I have had Fibro since I was 16, actually 20 years now. It does sound like you have some of the symptoms. I am also wondering if you may have Rhuematiod Arthritis because of the joint involvement. Your headaches may actually be Cluster Headaches if they continue to reoccur frequently and you have a sharp pain around one eye. My clusters usually sit in the back of my head until a spike hits me in the eye (what it feels like). Also, these conditions can co-exist (you can have them both). I don't believe I have ever taken Accutane.\nFibromyalgia associated syndromes\n\nIt is not unusual for fibromyalgia patients to have an array of bodily complaints other than musculoskeletal pain. It is now thought that these symptoms are a result of the abnormal sensory processing – as described in the previous section. Recognition and treatment of these associated problems are important in the overall management of your fibromyalgia. \n\nNon-restorative sleep\nCognitive dysfunction\nChronic fatigue\nCold intolerance\nRestless leg syndrome\nMultiple sensitivities\nIrritable bowel syndrome\nDizziness\nIrritable bladder syndrome\nNeurally mediated hypotension\n\n1. Chronic fatigue: The common treatable cause of chronic fatigue in fibromyalgia patients are: (1) inappropriate dosing of medications (TCAs, drugs with antihistamine actions, benzodiazapines etc.), (2) depression, (3) aerobic deconditioning, (3) a primary sleep disorder (e.g. sleep apnea), (4) non-restorative sleep (see above) and (5) neurally mediated hypotension (see below). A new drug called Provigil is of some help when used intermittently for management of fatigue.\n\n2. Restless leg syndrome: This strictly refers to daytime (usually maximal in the evening) symptoms of (1) unusual sensations in the lower limbs (but can occur in arms or even scalp) that are often described as paresthesia (numbness, tingling, itching, muscle crawling) and (2) a restlessness, in that stretching or walking eases the sensory symptoms. This daytime symptomatology is nearly always accompanied by a sleep disorder - now referred to as periodic limb movement disorder (formerly nocturnal myoclonus). Treatment is simple and very effective – DOPA / Levodopa (Sinemet) in an early evening dose of 10/100 (a minority require a higher dose or use of the long acting preparations).\n\n3. Irritable bowel syndrome: This common syndrome of GI distress that occurs in about 20% of the general population is found in about 60% of fibromyalgia patients. The symptoms are those of abdominal pain, distension with an altered bowel habit (constipation, diarrhea or an alternating disturbance). Typically the abdominal discomfort is improved by bowel evacuation. Due to abnormal sensory processing these symptoms may be quite distressing to fibromyalgia patients. Treatment involves (1) elimination of foods that aggravate symptoms, (2) minimizing psychological distress, (3) adhering to basic rules for maintaining a regular bowel habit, (4) prescribing medications for specific symptoms; constipation (stool softener, fiber supplementation and gentle laxatives such as bisacodyl), diarrhea (loperamide or diphenoxylate) and antispasmodics (dicyclomine or anticholinergic / sedative preparations such as Donnatal).\n\n4. Irritable bladder syndrome: This is found in 40-60% of fibromyalgia patients. The initial incorrect diagnoses are usually recurrent urinary tract infections, interstitial cystitis or a gynecological condition. Once these possibilities have been ruled out a diagnosis of irritable bladder syndrome (also called female urethal syndrome) should be considered. The typical symptoms are those of suprapubic discomfort with an urgency to void, often accompanied by frequency and dysuria. In a sub-population of fibromyalgia patients this is related to a myofascial trigger point in the pubic insertion of the rectus abdominus muscles – and may be helped by a procaine myofascial trigger point injection). Treatment: involves (1) incr
Health
155,134
9Politics & Government
Can people get unadopted?
I was adopted as an adult. Long story. Can I get unadopted?
Yes. Here's the penal code for California, but i'm sure it's similar in all states, unadoption is near the bottom in chapter 3, but i'd recommend reading all of this:\n\nCalifornia Family Code Division 13 Part 3 Chapter 1\n\n9300. (a) An adult may be adopted by another adult, including a\nstepparent, as provided in this part.\n (b) A married minor may be adopted in the same manner as an adult\nunder this part.\n\n\n\n9301. A married person who is not lawfully separated from the\nperson's spouse may not adopt an adult without the consent of the\nspouse, provided that the spouse is capable of giving that consent.\n\n\n\n9302. (a) A married person who is not lawfully separated from the\nperson's spouse may not be adopted without the consent of the spouse,\nprovided that the spouse is capable of giving that consent.\n (b) The consent of the parents of the proposed adoptee, of the\ndepartment, or of any other person is not required.\n\n\n\n9303. (a) A person may not adopt more than one unrelated adult\nunder this part within one year of the person's adoption of an\nunrelated adult, unless the proposed adoptee is the biological\nsibling of a person previously adopted pursuant to this part or\nunless the proposed adoptee is disabled or physically handicapped.\n (b) A person may not adopt an unrelated adult under this part\nwithin one year of an adoption of another person under this part by\nthe prospective adoptive parent's spouse, unless the proposed adoptee\nis a biological sibling of a person previously adopted pursuant to\nthis part.\n\n\n9304. A person adopted pursuant to this part may take the family\nname of the adoptive parent.\n\n\n\n9305. After adoption, the adoptee and the adoptive parent or\nparents shall sustain towards each other the legal relationship of\nparent and child and have all the rights and are subject to all the\nduties of that relationship.\n\n\n9306. (a) Except as provided in subdivision (b), the birth parents\nof a person adopted pursuant to this part are, from the time of the\nadoption, relieved of all parental duties towards, and all\nresponsibility for, the adopted person, and have no right over the\nadopted person.\n (b) Where an adult is adopted by the spouse of a birth parent, the\nparental rights and responsibilities of that birth parent are not\naffected by the adoption.\n\n\n\n9307. A hearing with regard to adoption under Chapter 2 (commencing\nwith Section 9320) or termination of a parent and child relationship\nunder Chapter 3 (commencing with Section 9340) may, in the\ndiscretion of the court, be open and public.\n\nChapter 2\n\n9320. (a) An adult may adopt another adult who is younger, except\nthe spouse of the prospective adoptive parent, by an adoption\nagreement approved by the court, as provided in this chapter.\n (b) The adoption agreement shall be in writing, executed by the\nprospective adoptive parent and the proposed adoptee, and shall state\nthat the parties agree to assume toward each other the legal\nrelationship of parent and child and to have all of the rights and be\nsubject to all of the duties and responsibilities of that\nrelationship.\n\n\n9321. (a) The prospective adoptive parent and the proposed adoptee\nmay file in the county in which either person resides a petition for\napproval of the adoption agreement.\n (b) The petition for approval of the adoption agreement shall\nstate all of the following:\n (1) The length and nature of the relationship between the\nprospective adoptive parent and the proposed adoptee.\n (2) The degree of kinship, if any.\n (3) The reason the adoption is sought.\n (4) A statement as to why the adoption would be in the best\ninterest of the prospective adoptive parent, the proposed adoptee,\nand the public.\n (5) The names and addresses of any living birth parents or adult\nchildren of the proposed adoptee.\n (6) Whether the prospective adoptive parent or the prospective\nadoptive p
1,027
Can people get unadopted?I was adopted as an adult. Long story. Can I get unadopted?Yes. Here's the penal code for California, but i'm sure it's similar in all states, unadoption is near the bottom in chapter 3, but i'd recommend reading all of this:\n\nCalifornia Family Code Division 13 Part 3 Chapter 1\n\n9300. (a) An adult may be adopted by another adult, including a\nstepparent, as provided in this part.\n (b) A married minor may be adopted in the same manner as an adult\nunder this part.\n\n\n\n9301. A married person who is not lawfully separated from the\nperson's spouse may not adopt an adult without the consent of the\nspouse, provided that the spouse is capable of giving that consent.\n\n\n\n9302. (a) A married person who is not lawfully separated from the\nperson's spouse may not be adopted without the consent of the spouse,\nprovided that the spouse is capable of giving that consent.\n (b) The consent of the parents of the proposed adoptee, of the\ndepartment, or of any other person is not required.\n\n\n\n9303. (a) A person may not adopt more than one unrelated adult\nunder this part within one year of the person's adoption of an\nunrelated adult, unless the proposed adoptee is the biological\nsibling of a person previously adopted pursuant to this part or\nunless the proposed adoptee is disabled or physically handicapped.\n (b) A person may not adopt an unrelated adult under this part\nwithin one year of an adoption of another person under this part by\nthe prospective adoptive parent's spouse, unless the proposed adoptee\nis a biological sibling of a person previously adopted pursuant to\nthis part.\n\n\n9304. A person adopted pursuant to this part may take the family\nname of the adoptive parent.\n\n\n\n9305. After adoption, the adoptee and the adoptive parent or\nparents shall sustain towards each other the legal relationship of\nparent and child and have all the rights and are subject to all the\nduties of that relationship.\n\n\n9306. (a) Except as provided in subdivision (b), the birth parents\nof a person adopted pursuant to this part are, from the time of the\nadoption, relieved of all parental duties towards, and all\nresponsibility for, the adopted person, and have no right over the\nadopted person.\n (b) Where an adult is adopted by the spouse of a birth parent, the\nparental rights and responsibilities of that birth parent are not\naffected by the adoption.\n\n\n\n9307. A hearing with regard to adoption under Chapter 2 (commencing\nwith Section 9320) or termination of a parent and child relationship\nunder Chapter 3 (commencing with Section 9340) may, in the\ndiscretion of the court, be open and public.\n\nChapter 2\n\n9320. (a) An adult may adopt another adult who is younger, except\nthe spouse of the prospective adoptive parent, by an adoption\nagreement approved by the court, as provided in this chapter.\n (b) The adoption agreement shall be in writing, executed by the\nprospective adoptive parent and the proposed adoptee, and shall state\nthat the parties agree to assume toward each other the legal\nrelationship of parent and child and to have all of the rights and be\nsubject to all of the duties and responsibilities of that\nrelationship.\n\n\n9321. (a) The prospective adoptive parent and the proposed adoptee\nmay file in the county in which either person resides a petition for\napproval of the adoption agreement.\n (b) The petition for approval of the adoption agreement shall\nstate all of the following:\n (1) The length and nature of the relationship between the\nprospective adoptive parent and the proposed adoptee.\n (2) The degree of kinship, if any.\n (3) The reason the adoption is sought.\n (4) A statement as to why the adoption would be in the best\ninterest of the prospective adoptive parent, the proposed adoptee,\nand the public.\n (5) The names and addresses of any living birth parents or adult\nchildren of the proposed adoptee.\n (6) Whether the prospective adoptive parent or the prospective\nadoptive p
Politics & Government
155,447
6Business & Finance
does any body know who sings the song hay mrs dejay turn the music up?
Pon De Replay (Busta Rhymes Remix) Rihanna lyrics\n\n[Chorus]x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Busta Rhymes] \nYou got a hotter other than my Copacabana, mama \nGotta lotta shit with you when I'm loving persona mama \nAlways love to get with you whenever \nu need me, mama holla \nHow you check me, can you give me the oochie walla walla \nSwallow a couple shots of Jag and make a dolla \nLil' mama in the crib with a poke to complete your scalla \nTalk about an example of a shorty that might need to prowla \nGot a chick in the bug, it come with a little shoppahora \nTake you to the Caribbean down the Carolina \nTo the Mediterranean and enjoy the water \nWhen the role is wacky, you keepin' me stocky \nTakin' care of this super Mike \nWhen you check on your Papi \nWhen you're right baby, hug me with all your might \nAnd put it on, cause you know it's on tonight \nBreak up or make up, you know we I'm gone \nwhen you find an empty ride \nwe will be together and still be bright \n\n[Chorus]x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Rihanna] \nit goes 1 by 1 even 2 by 2 \neverybody on the floor let me show you how we do \nlets go dip it low then you bring it up slow \nwhine it up 1 time whine it back once more \n\nrun, run, run, run \neverybody move run \nlet me see you move and \nrock it til the grooves done \nshake it till the moon becomes the sun (sun) \neverybody in the club give me a run (run) \nif you ready to move say it (yeah) \none time for your mind say it (yeah yeah) \nwell i'm ready for ya \ncome let me show ya \nyou want to groove im'a show you how to move \ncome come \n\n[Chorus] x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Rihanna]x2 \nhey mister \nplease mister DJ \ntell me if you hear me \nturn the music up \n\n[Rihanna] \nit goes 1 by 1 even 2 by 2 \neverybody in the club gon be rockin when i'm through \nlet the bass from the speakers run through ya sneakers \nmove both ya feet and run to the beat \n\nrun, run, run, run \neverybody move run \nlet me see you move and \nrock it til the grooves done \nshake it til the moon becomes the sun (sun) \neverybody in the club give me a run (run) \nif you ready to move say it (yeah) \none time for your mind say it (yeah yeah) \nwell i'm ready for ya \ncome let me show ya \nyou want to groove im'a show you how to move \n\n[Chorus] x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Rihanna]x2 \nhey mister \nplease mister DJ \ntell me if you hear me \nturn the music up \n\n[Rihanna]x4 \nOk, everybody get down if you feel me \nCome and put your hands up to the ceiling \n\n[Chorus]x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up
1,062
does any body know who sings the song hay mrs dejay turn the music up?Pon De Replay (Busta Rhymes Remix) Rihanna lyrics\n\n[Chorus]x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Busta Rhymes] \nYou got a hotter other than my Copacabana, mama \nGotta lotta shit with you when I'm loving persona mama \nAlways love to get with you whenever \nu need me, mama holla \nHow you check me, can you give me the oochie walla walla \nSwallow a couple shots of Jag and make a dolla \nLil' mama in the crib with a poke to complete your scalla \nTalk about an example of a shorty that might need to prowla \nGot a chick in the bug, it come with a little shoppahora \nTake you to the Caribbean down the Carolina \nTo the Mediterranean and enjoy the water \nWhen the role is wacky, you keepin' me stocky \nTakin' care of this super Mike \nWhen you check on your Papi \nWhen you're right baby, hug me with all your might \nAnd put it on, cause you know it's on tonight \nBreak up or make up, you know we I'm gone \nwhen you find an empty ride \nwe will be together and still be bright \n\n[Chorus]x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Rihanna] \nit goes 1 by 1 even 2 by 2 \neverybody on the floor let me show you how we do \nlets go dip it low then you bring it up slow \nwhine it up 1 time whine it back once more \n\nrun, run, run, run \neverybody move run \nlet me see you move and \nrock it til the grooves done \nshake it till the moon becomes the sun (sun) \neverybody in the club give me a run (run) \nif you ready to move say it (yeah) \none time for your mind say it (yeah yeah) \nwell i'm ready for ya \ncome let me show ya \nyou want to groove im'a show you how to move \ncome come \n\n[Chorus] x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Rihanna]x2 \nhey mister \nplease mister DJ \ntell me if you hear me \nturn the music up \n\n[Rihanna] \nit goes 1 by 1 even 2 by 2 \neverybody in the club gon be rockin when i'm through \nlet the bass from the speakers run through ya sneakers \nmove both ya feet and run to the beat \n\nrun, run, run, run \neverybody move run \nlet me see you move and \nrock it til the grooves done \nshake it til the moon becomes the sun (sun) \neverybody in the club give me a run (run) \nif you ready to move say it (yeah) \none time for your mind say it (yeah yeah) \nwell i'm ready for ya \ncome let me show ya \nyou want to groove im'a show you how to move \n\n[Chorus] x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up \n\n[Rihanna]x2 \nhey mister \nplease mister DJ \ntell me if you hear me \nturn the music up \n\n[Rihanna]x4 \nOk, everybody get down if you feel me \nCome and put your hands up to the ceiling \n\n[Chorus]x2 \nCome Mr. DJ song pon de replay \nCome Mr. DJ won't you turn the music up \nAll the gals pon the dance floor wanting some more what \nCome Mr. DJ won't you turn the music up
Business & Finance
156,242
3Education & Reference
what are the first 1000000000000000000000000000000000000 digets of Pi?
3.141592653589793238462643383279502884197169399375105820974944592307816&#92;\n 406286208998628034825342117067982148086513282306647093844609550582231725&#92;\n 359408128481117450284102701938521105559644622948954930381964428810975665&#92;\n 933446128475648233786783165271201909145648566923460348610454326648213393&#92;\n 607260249141273724587006606315588174881520920962829254091715364367892590&#92;\n 360011330530548820466521384146951941511609433057270365759591953092186117&#92;\n 381932611793105118548074462379962749567351885752724891227938183011949129&#92;\n 833673362440656643086021394946395224737190702179860943702770539217176293&#92;\n 176752384674818467669405132000568127145263560827785771342757789609173637&#92;\n 178721468440901224953430146549585371050792279689258923542019956112129021&#92;\n 960864034418159813629774771309960518707211349999998372978049951059731732&#92;\n 816096318595024459455346908302642522308253344685035261931188171010003137&#92;\n 838752886587533208381420617177669147303598253490428755468731159562863882&#92;\n 353787593751957781857780532171226806613001927876611195909216420198938095&#92;\n 257201065485863278865936153381827968230301952035301852968995773622599413&#92;\n 891249721775283479131515574857242454150695950829533116861727855889075098&#92;\n 381754637464939319255060400927701671139009848824012858361603563707660104&#92;\n 710181942955596198946767837449448255379774726847104047534646208046684259&#92;\n 069491293313677028989152104752162056966024058038150193511253382430035587&#92;\n 640247496473263914199272604269922796782354781636009341721641219924586315&#92;\n 030286182974555706749838505494588586926995690927210797509302955321165344&#92;\n 987202755960236480665499119881834797753566369807426542527862551818417574&#92;\n 672890977772793800081647060016145249192173217214772350141441973568548161&#92;\n 361157352552133475741849468438523323907394143334547762416862518983569485&#92;\n 562099219222184272550254256887671790494601653466804988627232791786085784&#92;\n 383827967976681454100953883786360950680064225125205117392984896084128488&#92;\n 626945604241965285022210661186306744278622039194945047123713786960956364&#92;\n 371917287467764657573962413890865832645995813390478027590099465764078951&#92;\n 269468398352595709825822620522489407726719478268482601476990902640136394&#92;\n 437455305068203496252451749399651431429809190659250937221696461515709858&#92;\n 387410597885959772975498930161753928468138268683868942774155991855925245&#92;\n 953959431049972524680845987273644695848653836736222626099124608051243884&#92;\n 390451244136549762780797715691435997700129616089441694868555848406353422&#92;\n 072225828488648158456028506016842739452267467678895252138522549954666727&#92;\n 823986456596116354886230577456498035593634568174324112515076069479451096&#92;\n 596094025228879710893145669136867228748940560101503308617928680920874760&#92;\n 917824938589009714909675985261365549781893129784821682998948722658804857&#92;\n 564014270477555132379641451523746234364542858444795265867821051141354735&#92;\n 739523113427166102135969536231442952484937187110145765403590279934403742&#92;\n 007310578539062198387447808478489683321445713868751943506430218453191048&#92;\n 481005370614680674919278191197939952061419663428754440643745123718192179&#92;\n 998391015919561814675142691239748940907186494231961567945208095146550225&#92;\n 231603881930142093762137855956638937787083039069792077346722182562599661&#92;\n 501421503068038447734549202605414665925201497442850732518666002132434088&#92;\n 190710486331734649651453905796268561005508106658796998163574736384052571&#92;\n 459102897064140110971206280439039759515677157700420337869936007230558763&#92;\n 176359421873125147120532928191826186125867321579198414848829164470609575&#92;\n 270695722091756711672291098169091528017350671274858322287183520935396572&#92;\n 51210835791513698
1,722
what are the first 1000000000000000000000000000000000000 digets of Pi?3.141592653589793238462643383279502884197169399375105820974944592307816&#92;\n 406286208998628034825342117067982148086513282306647093844609550582231725&#92;\n 359408128481117450284102701938521105559644622948954930381964428810975665&#92;\n 933446128475648233786783165271201909145648566923460348610454326648213393&#92;\n 607260249141273724587006606315588174881520920962829254091715364367892590&#92;\n 360011330530548820466521384146951941511609433057270365759591953092186117&#92;\n 381932611793105118548074462379962749567351885752724891227938183011949129&#92;\n 833673362440656643086021394946395224737190702179860943702770539217176293&#92;\n 176752384674818467669405132000568127145263560827785771342757789609173637&#92;\n 178721468440901224953430146549585371050792279689258923542019956112129021&#92;\n 960864034418159813629774771309960518707211349999998372978049951059731732&#92;\n 816096318595024459455346908302642522308253344685035261931188171010003137&#92;\n 838752886587533208381420617177669147303598253490428755468731159562863882&#92;\n 353787593751957781857780532171226806613001927876611195909216420198938095&#92;\n 257201065485863278865936153381827968230301952035301852968995773622599413&#92;\n 891249721775283479131515574857242454150695950829533116861727855889075098&#92;\n 381754637464939319255060400927701671139009848824012858361603563707660104&#92;\n 710181942955596198946767837449448255379774726847104047534646208046684259&#92;\n 069491293313677028989152104752162056966024058038150193511253382430035587&#92;\n 640247496473263914199272604269922796782354781636009341721641219924586315&#92;\n 030286182974555706749838505494588586926995690927210797509302955321165344&#92;\n 987202755960236480665499119881834797753566369807426542527862551818417574&#92;\n 672890977772793800081647060016145249192173217214772350141441973568548161&#92;\n 361157352552133475741849468438523323907394143334547762416862518983569485&#92;\n 562099219222184272550254256887671790494601653466804988627232791786085784&#92;\n 383827967976681454100953883786360950680064225125205117392984896084128488&#92;\n 626945604241965285022210661186306744278622039194945047123713786960956364&#92;\n 371917287467764657573962413890865832645995813390478027590099465764078951&#92;\n 269468398352595709825822620522489407726719478268482601476990902640136394&#92;\n 437455305068203496252451749399651431429809190659250937221696461515709858&#92;\n 387410597885959772975498930161753928468138268683868942774155991855925245&#92;\n 953959431049972524680845987273644695848653836736222626099124608051243884&#92;\n 390451244136549762780797715691435997700129616089441694868555848406353422&#92;\n 072225828488648158456028506016842739452267467678895252138522549954666727&#92;\n 823986456596116354886230577456498035593634568174324112515076069479451096&#92;\n 596094025228879710893145669136867228748940560101503308617928680920874760&#92;\n 917824938589009714909675985261365549781893129784821682998948722658804857&#92;\n 564014270477555132379641451523746234364542858444795265867821051141354735&#92;\n 739523113427166102135969536231442952484937187110145765403590279934403742&#92;\n 007310578539062198387447808478489683321445713868751943506430218453191048&#92;\n 481005370614680674919278191197939952061419663428754440643745123718192179&#92;\n 998391015919561814675142691239748940907186494231961567945208095146550225&#92;\n 231603881930142093762137855956638937787083039069792077346722182562599661&#92;\n 501421503068038447734549202605414665925201497442850732518666002132434088&#92;\n 190710486331734649651453905796268561005508106658796998163574736384052571&#92;\n 459102897064140110971206280439039759515677157700420337869936007230558763&#92;\n 176359421873125147120532928191826186125867321579198414848829164470609575&#92;\n 270695722091756711672291098169091528017350671274858322287183520935396572&#92;\n 51210835791513698
Education & Reference
156,404
0Society & Culture
Why so much hate in the christian bible?
Some say that the bible was for slavery killing and brutality because thats how mankind was at that time and that was the only way to deal with it. \nBuddhism on the other hand is a much older religion that never speaks of anything other than peace love and compassion\nCan you tell me one spiritually enlightened person who has ever promoted violence? Jesus, Buddha, Gandhi, sri ramana maharshi never spoke of such nonsense.\nHere are some quotes from the old testament to give a better understanding of what im talking about\n\n1) Murder, rape, and pillage at Jabesh-gilead (Judges 21:10-24 NLT)\n\n \n\n So they sent twelve thousand warriors to Jabesh-gilead with orders to kill everyone there, including women and children. "This is what you are to do," they said. "Completely destroy all the males and every woman who is not a virgin." Among the residents of Jabesh-gilead they found four hundred young virgins who had never slept with a man, and they brought them to the camp at Shiloh in the land of Canaan.\n\n \n\n The Israelite assembly sent a peace delegation to the little remnant of Benjamin who were living at the rock of Rimmon. Then the men of Benjamin returned to their homes, and the four hundred women of Jabesh-gilead who were spared were given to them as wives. But there were not enough women for all of them. The people felt sorry for Benjamin because the LORD had left this gap in the tribes of Israel. So the Israelite leaders asked, "How can we find wives for the few who remain, since all the women of the tribe of Benjamin are dead? There must be heirs for the survivors so that an entire tribe of Israel will not be lost forever. But we cannot give them our own daughters in marriage because we have sworn with a solemn oath that anyone who does this will fall under God's curse."\n\n \n\n Then they thought of the annual festival of the LORD held in Shiloh, between Lebonah and Bethel, along the east side of the road that goes from Bethel to Shechem. They told the men of Benjamin who still needed wives, "Go and hide in the vineyards. When the women of Shiloh come out for their dances, rush out from the vineyards, and each of you can take one of them home to be your wife! And when their fathers and brothers come to us in protest, we will tell them, 'Please be understanding. Let them have your daughters, for we didn't find enough wives for them when we destroyed Jabesh-gilead. And you are not guilty of breaking the vow since you did not give your daughters in marriage to them.'" So the men of Benjamin did as they were told. They kidnapped the women who took part in the celebration and carried them off to the land of their own inheritance. Then they rebuilt their towns and lived in them. So the assembly of Israel departed by tribes and families, and they returned to their own homes.\n\n \n\n Obviously these women were repeatedly raped. These sick bastards killed and raped an entire town and then wanted more virgins, so they hid beside the road to kidnap and rape some more. How can anyone see this as anything but evil?\n\n \n\n2) Murder, rape and pillage of the Midianites (Numbers 31:7-18 NLT)\n\n \n\n They attacked Midian just as the LORD had commanded Moses, and they killed all the men. All five of the Midianite kings – Evi, Rekem, Zur, Hur, and Reba – died in the battle. They also killed Balaam son of Beor with the sword. Then the Israelite army captured the Midianite women and children and seized their cattle and flocks and all their wealth as plunder. They burned all the towns and villages where the Midianites had lived. After they had gathered the plunder and captives, both people and animals, they brought them all to Moses and Eleazar the priest, and to the whole community of Israel, which was camped on the plains of Moab beside the Jordan River, across from Jericho. \n\n \n\n Moses, Eleazar the priest, and all the leaders
As a Christian and Bible scholar, please believe me when I say that you have this all wrong--I mean you have truly misinterpretated practically everything. \n\nI think though your points could be easily cleared up though if you were to sit with someone who has studied the Word. \n\nSince there is no way to address all of your questions and issues raised right now in this forum, why don't you go speak to a Jewish Rabbi or Bible Teaching Christian Pastor in your area. \n\nYou don't want to hold on to misconceptions do you? \n\nI'm sure you really do want the truth, right? Good. You seem like someone that enjoys learning. \n\nWell then if you want to learn the truth, you have an obligation to go and speak with someone educated in the Bible as well as someone that has a personally close relationship with GOD so that you can understand it from a different perspective. \n\nYou're intelligent, and have obviously given this a lot of thought. I'm sure you don't want to hold on to perceptions that are wrong right? \n\nSitting with someone one on one and going through each of your issues raise here, I believe that you will come away with a completely different view. You may still feel the same way, but at least you will have more and better information to draw more accurate conclusions.\n\nI can't begin to list the number of errors in your logic, or the number of times in your writings that you leaped to an erroneous assumption in this very short passage you wrote. But I know that if you seek the truth, you will take the time to go speak to someone in person about your questions. \n\nYou can even feel free to email me and I will be happy to talk to you more. \n\nWe can walk through each passage here, and discuss the historical aspects that are recorded as well as what God is talking to us now about each of these passages.\n\nWe can discuss "What is the Mosaic Law", and how does it apply to the lives of God's people today. We can also discuss spiritual warfare versus physical warfare and how it relates to the questions "Why would God kill innocent children? and order wars?"\n\nI welcome talking to you. I'm a Christian apologist. We can debate, discuss, search and examine Bible history, teachings, prophesies, and hidden messages all day long, and it will not bother me, nor will I be offended if you don't agree. \n\nI also welcome hearing about your religious beliefs. Although a devout Christian, I enjoy studying other religions and beliefs as well.
1,551
Why so much hate in the christian bible?Some say that the bible was for slavery killing and brutality because thats how mankind was at that time and that was the only way to deal with it. \nBuddhism on the other hand is a much older religion that never speaks of anything other than peace love and compassion\nCan you tell me one spiritually enlightened person who has ever promoted violence? Jesus, Buddha, Gandhi, sri ramana maharshi never spoke of such nonsense.\nHere are some quotes from the old testament to give a better understanding of what im talking about\n\n1) Murder, rape, and pillage at Jabesh-gilead (Judges 21:10-24 NLT)\n\n \n\n So they sent twelve thousand warriors to Jabesh-gilead with orders to kill everyone there, including women and children. "This is what you are to do," they said. "Completely destroy all the males and every woman who is not a virgin." Among the residents of Jabesh-gilead they found four hundred young virgins who had never slept with a man, and they brought them to the camp at Shiloh in the land of Canaan.\n\n \n\n The Israelite assembly sent a peace delegation to the little remnant of Benjamin who were living at the rock of Rimmon. Then the men of Benjamin returned to their homes, and the four hundred women of Jabesh-gilead who were spared were given to them as wives. But there were not enough women for all of them. The people felt sorry for Benjamin because the LORD had left this gap in the tribes of Israel. So the Israelite leaders asked, "How can we find wives for the few who remain, since all the women of the tribe of Benjamin are dead? There must be heirs for the survivors so that an entire tribe of Israel will not be lost forever. But we cannot give them our own daughters in marriage because we have sworn with a solemn oath that anyone who does this will fall under God's curse."\n\n \n\n Then they thought of the annual festival of the LORD held in Shiloh, between Lebonah and Bethel, along the east side of the road that goes from Bethel to Shechem. They told the men of Benjamin who still needed wives, "Go and hide in the vineyards. When the women of Shiloh come out for their dances, rush out from the vineyards, and each of you can take one of them home to be your wife! And when their fathers and brothers come to us in protest, we will tell them, 'Please be understanding. Let them have your daughters, for we didn't find enough wives for them when we destroyed Jabesh-gilead. And you are not guilty of breaking the vow since you did not give your daughters in marriage to them.'" So the men of Benjamin did as they were told. They kidnapped the women who took part in the celebration and carried them off to the land of their own inheritance. Then they rebuilt their towns and lived in them. So the assembly of Israel departed by tribes and families, and they returned to their own homes.\n\n \n\n Obviously these women were repeatedly raped. These sick bastards killed and raped an entire town and then wanted more virgins, so they hid beside the road to kidnap and rape some more. How can anyone see this as anything but evil?\n\n \n\n2) Murder, rape and pillage of the Midianites (Numbers 31:7-18 NLT)\n\n \n\n They attacked Midian just as the LORD had commanded Moses, and they killed all the men. All five of the Midianite kings – Evi, Rekem, Zur, Hur, and Reba – died in the battle. They also killed Balaam son of Beor with the sword. Then the Israelite army captured the Midianite women and children and seized their cattle and flocks and all their wealth as plunder. They burned all the towns and villages where the Midianites had lived. After they had gathered the plunder and captives, both people and animals, they brought them all to Moses and Eleazar the priest, and to the whole community of Israel, which was camped on the plains of Moab beside the Jordan River, across from Jericho. \n\n \n\n Moses, Eleazar the priest, and all the leaders As a Christian and Bible scholar, please believe me when I say that you have this all wrong--I mean you have truly misinterpretated practically everything. \n\nI think though your points could be easily cleared up though if you were to sit with someone who has studied the Word. \n\nSince there is no way to address all of your questions and issues raised right now in this forum, why don't you go speak to a Jewish Rabbi or Bible Teaching Christian Pastor in your area. \n\nYou don't want to hold on to misconceptions do you? \n\nI'm sure you really do want the truth, right? Good. You seem like someone that enjoys learning. \n\nWell then if you want to learn the truth, you have an obligation to go and speak with someone educated in the Bible as well as someone that has a personally close relationship with GOD so that you can understand it from a different perspective. \n\nYou're intelligent, and have obviously given this a lot of thought. I'm sure you don't want to hold on to perceptions that are wrong right? \n\nSitting with someone one on one and going through each of your issues raise here, I believe that you will come away with a completely different view. You may still feel the same way, but at least you will have more and better information to draw more accurate conclusions.\n\nI can't begin to list the number of errors in your logic, or the number of times in your writings that you leaped to an erroneous assumption in this very short passage you wrote. But I know that if you seek the truth, you will take the time to go speak to someone in person about your questions. \n\nYou can even feel free to email me and I will be happy to talk to you more. \n\nWe can walk through each passage here, and discuss the historical aspects that are recorded as well as what God is talking to us now about each of these passages.\n\nWe can discuss "What is the Mosaic Law", and how does it apply to the lives of God's people today. We can also discuss spiritual warfare versus physical warfare and how it relates to the questions "Why would God kill innocent children? and order wars?"\n\nI welcome talking to you. I'm a Christian apologist. We can debate, discuss, search and examine Bible history, teachings, prophesies, and hidden messages all day long, and it will not bother me, nor will I be offended if you don't agree. \n\nI also welcome hearing about your religious beliefs. Although a devout Christian, I enjoy studying other religions and beliefs as well.
Society & Culture
156,567
3Education & Reference
the people in the Boston,Mass. area are generally very engaging people. But what's the origin of the accent?
The Boston accent is the dialect of English not only of the city of Boston itself, but more generally of all of eastern Massachusetts; it shares much in common with the accents of Rhode Island, New Hampshire, and Southern Maine. The three regions are frequently grouped together by sociolinguists under the cover term Eastern New England accent, combined with New York-New Jersey English, forms a part of Northeastern American English. The internationally best-known user of the Boston accent was probably John Fitzgerald Kennedy.\n\nThe best-known features of the Boston accent are non-rhoticity and broad A.\n\nPhonological characteristics\n\nAll phonetic transcriptions in the IPA; for example:\n\n how are you? [hoˈwaːjə]\n\n[edit]\n\nNon-rhoticity\n\nThe traditional Boston accent is non-rhotic; in other words, the phoneme [r] does not appear at the end of a syllable or immediately before a consonant. Thus, there is no [r] in words like park [paːk], car [kaː], and Harvard [haːvəd]. After high and mid-high vowels, the [r] is replaced by [ə] or another neutral central vowel like [ɨ]: weird [wiɨd], square [skweə]. Similarly, unstressed [ɝ] ("er") is replaced by [ə], [ɐ], or [ɨ], as in color [kʌlə]. Although not all Boston-area speakers are non-rhotic, this remains the feature most widely associated with the region. As a result, it is frequently the butt of jokes about Boston, as in Jon Stewart's America (The Book), in which he states that the Massachusetts Legislature ratified everything in John Adams' 1780 Massachusetts Constitution "except the letter 'R'".\n\nIn the most traditional and old-fashioned Boston accents, what is in other dialects [ɔr] becomes a low back vowel [ɒ]: corn is [kɒːn], pronounced the same or almost the same as con.\n\nFor some old-fashioned speakers, stressed [ɝ] as in bird is replaced by [ʏ] ([bʏd]); for many present-day Boston-accent speakers, however, [ɝ] is retained. More speakers lose [r] after other vowels than lose [ɝ].\n\nThe Boston accent possesses both linking R and intrusive R: that is to say, a [r] will not be lost at the end of a word if the next word begins with a vowel, and indeed a [r] will be inserted after a word ending with a central or low vowel if the next word begins with a vowel: the tuner is and the tuna is are both [ðə tunərɪz]\n\nSome speakers who are natively non-rhotic or partially non-rhotic attempt to change their accent by restoring [r] to word-final position. For example, on the NPR program Car Talk, hosted by the Boston-native Magliozzi brothers, one host has castigated the other on air for saying [kaː] instead of [kaɹ]. Occasionally such speakers may hypercorrect and "restore" [r] to a word that never originally had it.\n\nThere are also a number of Boston accent speakers with rhoticity, but they sometimes delete [r] only in unaccented syllables or words before a consonant.\n[edit]\n\nVowels\n\nThe Boston accent has a highly distinctive system of low vowels, even in speakers who do not drop [r] as described above. Eastern New England is the only region in North America where the distinction between the vowels in words like father and spa on the one hand and words like bother and hot on the other hand is securely maintained: the former contain [aː] ([faːðə], [spaː]), and the latter [ɒː] ([bɒːðə], [hɒːt]). This means that even though heart has no [r], it remains distinct from hot because its vowel quality is different: [haːt]. By contrast, the accent of New York uses the same or almost the same vowel in both of these classes: [ɑː]. The Received Pronunciation of England, like Boston English, distinguishes the classes, using [ɑː] in father and [ɒ] in bother.\n\nOn the other hand, the Boston accent (unlike the Providence, Rhode Island accent) merges the two classes exemplified by caught and cot: both become [kɒːt]. So caught, cot, law, water, rock, talk, doll, and wall all have exac
1,077
the people in the Boston,Mass. area are generally very engaging people. But what's the origin of the accent?The Boston accent is the dialect of English not only of the city of Boston itself, but more generally of all of eastern Massachusetts; it shares much in common with the accents of Rhode Island, New Hampshire, and Southern Maine. The three regions are frequently grouped together by sociolinguists under the cover term Eastern New England accent, combined with New York-New Jersey English, forms a part of Northeastern American English. The internationally best-known user of the Boston accent was probably John Fitzgerald Kennedy.\n\nThe best-known features of the Boston accent are non-rhoticity and broad A.\n\nPhonological characteristics\n\nAll phonetic transcriptions in the IPA; for example:\n\n how are you? [hoˈwaːjə]\n\n[edit]\n\nNon-rhoticity\n\nThe traditional Boston accent is non-rhotic; in other words, the phoneme [r] does not appear at the end of a syllable or immediately before a consonant. Thus, there is no [r] in words like park [paːk], car [kaː], and Harvard [haːvəd]. After high and mid-high vowels, the [r] is replaced by [ə] or another neutral central vowel like [ɨ]: weird [wiɨd], square [skweə]. Similarly, unstressed [ɝ] ("er") is replaced by [ə], [ɐ], or [ɨ], as in color [kʌlə]. Although not all Boston-area speakers are non-rhotic, this remains the feature most widely associated with the region. As a result, it is frequently the butt of jokes about Boston, as in Jon Stewart's America (The Book), in which he states that the Massachusetts Legislature ratified everything in John Adams' 1780 Massachusetts Constitution "except the letter 'R'".\n\nIn the most traditional and old-fashioned Boston accents, what is in other dialects [ɔr] becomes a low back vowel [ɒ]: corn is [kɒːn], pronounced the same or almost the same as con.\n\nFor some old-fashioned speakers, stressed [ɝ] as in bird is replaced by [ʏ] ([bʏd]); for many present-day Boston-accent speakers, however, [ɝ] is retained. More speakers lose [r] after other vowels than lose [ɝ].\n\nThe Boston accent possesses both linking R and intrusive R: that is to say, a [r] will not be lost at the end of a word if the next word begins with a vowel, and indeed a [r] will be inserted after a word ending with a central or low vowel if the next word begins with a vowel: the tuner is and the tuna is are both [ðə tunərɪz]\n\nSome speakers who are natively non-rhotic or partially non-rhotic attempt to change their accent by restoring [r] to word-final position. For example, on the NPR program Car Talk, hosted by the Boston-native Magliozzi brothers, one host has castigated the other on air for saying [kaː] instead of [kaɹ]. Occasionally such speakers may hypercorrect and "restore" [r] to a word that never originally had it.\n\nThere are also a number of Boston accent speakers with rhoticity, but they sometimes delete [r] only in unaccented syllables or words before a consonant.\n[edit]\n\nVowels\n\nThe Boston accent has a highly distinctive system of low vowels, even in speakers who do not drop [r] as described above. Eastern New England is the only region in North America where the distinction between the vowels in words like father and spa on the one hand and words like bother and hot on the other hand is securely maintained: the former contain [aː] ([faːðə], [spaː]), and the latter [ɒː] ([bɒːðə], [hɒːt]). This means that even though heart has no [r], it remains distinct from hot because its vowel quality is different: [haːt]. By contrast, the accent of New York uses the same or almost the same vowel in both of these classes: [ɑː]. The Received Pronunciation of England, like Boston English, distinguishes the classes, using [ɑː] in father and [ɒ] in bother.\n\nOn the other hand, the Boston accent (unlike the Providence, Rhode Island accent) merges the two classes exemplified by caught and cot: both become [kɒːt]. So caught, cot, law, water, rock, talk, doll, and wall all have exac
Education & Reference
157,327
0Society & Culture
TRANSLATION of the BIBLE. Who did it? How many? When? Where?
First, the 'septuagint' does not refer to the Greek translation fo the entire Bible. The only text 'the seventy' were asked to translate was the Five Books Of Moses, and nothing more. Later in time, when other books were translated, they were added to the texts of the Septuagint, and then, over time, all of them began to be referred to as the Septuagint, but only the first Five Books Of Moses actually were THE Septuagint.\n\nJust to name a very few:::\n\nKing James Version, New International Version, Today's New International Version, New Living Translation, New American Standard Bible, English Standard Version, Holman Christian Standard Bible, New Revised Standard Version, Good News Translation, Contemporary English Version, New Century Version, New King James Version, New American Bible, New Jerusalem Bible, NET Bible, Revised Standard Version, The Message, God's Word, Revised English Bible\n\nHere are "a few" more::::\n(AAT) The Complete Bible: An American Translation, by Edgar Goodspeed and J. M. Powis Smith, 1939. \n(ABT) The Afro Bible Translation \n(ATB) The Alternate Translation Bible \n(ASV) American Standard Version (purchase ASV) \n(AB) The Amplified Bible (editions for sale) \n(ALT) Analytical-Literal Translation \n(ASL) American Sign Language Translation \n(AV) Authorized Version (same as KJV) \n(Bar) The New Testament: A New Translation, by William Barclay \n(BLB) The Better Life Bible \n(BWE) Bible in WorldWide English \nThe Bible Gateway Translation Information (see BWE description) \n(CCB) Christian Community Bible \n(CE) The Common Edition: New Testament \n(CJB) Complete Jewish Bible \nComparison with NIV \n(CV) Concordant Version \n(CEV) Contemporary English Version \nCEV online \nEnergion review \nInterview: On the Shoulders of King James \nKen Anderson review \nMichael Marlow review \nTyndale website overview \n(Dar) Darby \n(DR) Douay-Rheims \n(DRP) David Robert Palmer's translations of the gospels \n(EMTV) English Majority Text Version \n(ENT) Extreme New Testament (revision of Simple English Bible, below) \nForward, by Tommy Tenney \n(ERV) Easy-to-Read Version \n(ESV) English Standard Version \n(FF) Ferrar Fenton Bible \n(GLW) God's Living Word \n(GNC) God's New Covenant: A New Testament Translation, by Heinz W. Cassirer \n(GNT) Good News Translation [formerly, (GNB) Good News Bible, and (TEV) Today's English Version] \n(GW) God's Word \nGod's Word online \nReview of God's Word, by Wayne Leman \n(HCSB) Holman Christian Standard Bible (online, see Access Bibles section, below \narticle \n(HNV) Hebrew Names Version \n(ICB) International Children's Bible (children's version of the NCV) \n(ISB) International Standard Bible (formerly titled The Simple English Bible) \n(ISV) The International Standard Version \nISV Naturalness and Comprehension Survey, by Phil Fields \n(JBP) New Testament in Modern English, by J.B. Phillips \nNew Testament in Modern English, Revised, by J.B. Phillips \nStudent edition \nThe J. B. Phillips Translation: A Guided Tour \n(JNT) Jewish New Testament: A Translation of the New Testament That Expresses Its Jewishness (see Complete Jewish Bible) \n(JPS) Jerusalem Publication Society: Tanakh: The Holy Scriptures, The New JPS Translation According to the Traditional Hebrew Text \n\n(KJV) King James Version and recent revisions \nKJV \nTranslators to the Reader \n\n(DKJB) Defined King James Bible \nDKJB reviewed by Joseph Ng \nDKJB reviewed by David W. Cloud \n(KJII) King James Version II (renamed to Literal Translation of the Holy Bible) \n(KJ21) King James for the 21st Century \nKJV21 review \n(KJ2000) King James 2000 \n(LITV) The Literal Translation of the Holy Bible (formerly named King James II) \nLITV download site \nThe Literal Translation of the Holy Bible Frequently Asked Questions \n(MKJV) Modern King James Version \nalternate site \nMKJV download site \n(NKJV) New King James Version \n(RAV) Revised Authorised
1,089
TRANSLATION of the BIBLE. Who did it? How many? When? Where?First, the 'septuagint' does not refer to the Greek translation fo the entire Bible. The only text 'the seventy' were asked to translate was the Five Books Of Moses, and nothing more. Later in time, when other books were translated, they were added to the texts of the Septuagint, and then, over time, all of them began to be referred to as the Septuagint, but only the first Five Books Of Moses actually were THE Septuagint.\n\nJust to name a very few:::\n\nKing James Version, New International Version, Today's New International Version, New Living Translation, New American Standard Bible, English Standard Version, Holman Christian Standard Bible, New Revised Standard Version, Good News Translation, Contemporary English Version, New Century Version, New King James Version, New American Bible, New Jerusalem Bible, NET Bible, Revised Standard Version, The Message, God's Word, Revised English Bible\n\nHere are "a few" more::::\n(AAT) The Complete Bible: An American Translation, by Edgar Goodspeed and J. M. Powis Smith, 1939. \n(ABT) The Afro Bible Translation \n(ATB) The Alternate Translation Bible \n(ASV) American Standard Version (purchase ASV) \n(AB) The Amplified Bible (editions for sale) \n(ALT) Analytical-Literal Translation \n(ASL) American Sign Language Translation \n(AV) Authorized Version (same as KJV) \n(Bar) The New Testament: A New Translation, by William Barclay \n(BLB) The Better Life Bible \n(BWE) Bible in WorldWide English \nThe Bible Gateway Translation Information (see BWE description) \n(CCB) Christian Community Bible \n(CE) The Common Edition: New Testament \n(CJB) Complete Jewish Bible \nComparison with NIV \n(CV) Concordant Version \n(CEV) Contemporary English Version \nCEV online \nEnergion review \nInterview: On the Shoulders of King James \nKen Anderson review \nMichael Marlow review \nTyndale website overview \n(Dar) Darby \n(DR) Douay-Rheims \n(DRP) David Robert Palmer's translations of the gospels \n(EMTV) English Majority Text Version \n(ENT) Extreme New Testament (revision of Simple English Bible, below) \nForward, by Tommy Tenney \n(ERV) Easy-to-Read Version \n(ESV) English Standard Version \n(FF) Ferrar Fenton Bible \n(GLW) God's Living Word \n(GNC) God's New Covenant: A New Testament Translation, by Heinz W. Cassirer \n(GNT) Good News Translation [formerly, (GNB) Good News Bible, and (TEV) Today's English Version] \n(GW) God's Word \nGod's Word online \nReview of God's Word, by Wayne Leman \n(HCSB) Holman Christian Standard Bible (online, see Access Bibles section, below \narticle \n(HNV) Hebrew Names Version \n(ICB) International Children's Bible (children's version of the NCV) \n(ISB) International Standard Bible (formerly titled The Simple English Bible) \n(ISV) The International Standard Version \nISV Naturalness and Comprehension Survey, by Phil Fields \n(JBP) New Testament in Modern English, by J.B. Phillips \nNew Testament in Modern English, Revised, by J.B. Phillips \nStudent edition \nThe J. B. Phillips Translation: A Guided Tour \n(JNT) Jewish New Testament: A Translation of the New Testament That Expresses Its Jewishness (see Complete Jewish Bible) \n(JPS) Jerusalem Publication Society: Tanakh: The Holy Scriptures, The New JPS Translation According to the Traditional Hebrew Text \n\n(KJV) King James Version and recent revisions \nKJV \nTranslators to the Reader \n\n(DKJB) Defined King James Bible \nDKJB reviewed by Joseph Ng \nDKJB reviewed by David W. Cloud \n(KJII) King James Version II (renamed to Literal Translation of the Holy Bible) \n(KJ21) King James for the 21st Century \nKJV21 review \n(KJ2000) King James 2000 \n(LITV) The Literal Translation of the Holy Bible (formerly named King James II) \nLITV download site \nThe Literal Translation of the Holy Bible Frequently Asked Questions \n(MKJV) Modern King James Version \nalternate site \nMKJV download site \n(NKJV) New King James Version \n(RAV) Revised Authorised
Society & Culture
157,917
8Family & Relationships
how do you say "i love you" in different languges??
Afrikaans : Ek is lief vir jou\nEk het jou lief\nAlbanian : Te dua\nAmharic : Afekrishalehou\nArabic : Ana Behibak (to a male)\nAna Behibek (to a female)\nBasc : Nere Maitea\nBavarian : I mog di narrisch gern\nBengali : Ami tomAy bhAlobAshi\nBerber : Lakh tirikh\nBicol : Namumutan ta ka\nBulgarian : Obicham te\nCambodian : kh_nhaum soro_lahn nhee_ah\nBon sro lanh oon\nCantonese : Ngo oi ney\nCatalan : T'estim (mallorcan)\nT'estime (valencian)\nT'estimo (catalonian)\nT'estim molt (I love you a lot)\nChinese : Wo ie ni (Manderin, Cantonese)\nCroatian : Volim te (most common), or\nJa te volim (less common)\nCzech : miluji te\nDanish : Jeg elsker dig\nDutch : Ik hou van jou\nEstonian : Mina armastan sind\nEsperanto : Mi amas vin\nPersian (Farsi) : Tora dust midaram\nFlemish : Ik zie oe geerne\nFinnish : Mina" rakastan sinua\nFrench : Je t'aime\nFriesian : Ik bin fereale op dy\nIk ha^ld fan dy (Most commonly used phrase) (the ^ is above the a)\nGaelic : Ta gra agam ort\nGerman : Ich liebe Dich\nI mog Di ganz arg! (Suebian: South German dialekt.)\nGreek : S' ayapo\nGujarati\n(a dialect of India) "Tane Prem Karoo Choo"\nHausa : Ina sonki\nHebrew : aNEE oHEIVET oTKHA (female to male)\naNEE oHEIV otAKH (male to female)\nAni ohev at (man to woman)\nAni ohevet atah (woman to man)\nHindi: Mein Tumse Pyar Karta Hoon\nHokkien : Wa ai lu\nHopi : Nu' umi unangwa'ta\nHungarian : Szeretlek te'ged\nIcelandic : ?g elska ßig\nIndonesian : Saya cinta padamu\nSaya Cinta Kamu\nAku tjinta padamu\nSaja kasih saudari\nItalian : Ti amo\nIrish : taim i' ngra leat\nJapanese : Kimi o ai shiteru\nKazakh : Men seny jaksy kuremyn\nKiswahili : Nakupenda\nKorean : Tangsinul sarang ha yo\nKurdish : Ez te hezdikhem\nLatin : Te amo\nVos amo\nLao : Khoi huk chau\nLatvian : Es Tev milu\nLingala : Nalingi yo\nLithuanian: Ash miliu tave\nLuo : Aheri\nMadrid lingo : Me molas, tronca\nMalay/Indonesian : Saya cintakan awak(awak=kamu=you)\nAku sayang engkau (engkau=kamu=you)\nMalay : Saya cintamu\nSaya sayangmu\nMaltese: Inhobbok!\n(Added by Christine )\nMandarin : Wo ai ni\nMohawk : Konoronhkwa\nNavajo : Ayor anosh'ni\nNdebele : Niyakutanda\nNorwegian : Jeg elsker deg (Bokmaal)\nEg elskar deg (Nynorsk)\nPakistani : Muje se mu habbat hai\nPersian : Tora dost daram\nPilipino : Mahal Kita\nIniibig Kita\nPolish : Ja Cie Kocham or Kocham Cie (Pronounced Yacha kocham)\nPortuguese : Eu te amo\nRomanian : Te iu besc\nRussian : Ya lyublyu tebya\nYa vas lyublyu\nScot Gaelic : Tha gra&#92;dh agam ort\nSerbian : Volim te (most common), or\nJa te volim" (less common)\nShona : Ndinokuda\nSioux : Techihhila\nSlovak : lubim ta\nSlovene : ljubim te (??????)\nSpanish : Te amo\nSwahili : Nakupenda\nSwedish : Jag a"lskar dig\nSwiss-German : Ch'ha di ga"rn\nTagalog : Mahal kita\nTaiwanese : Gwa ai lee\nTamil Naan Unnai Kadhalikiren (Entry by krishna connexions@theoffice.net)\nThai : Phom Rak Khun\nCh'an Rak Khun\nTunisian : Ha eh bak\nTurkish : Seni seviyorum!\nUrdu : Mujhe tumse muhabbat hai (Entry by Magsemail@aol.com)\nVietnamese : Anh ye^u em (man to woman)\nEm ye^u anh (woman to man)\nToi yeu em\nVlaams : Ik hou van jou\nWelsh : 'Rwy'n dy garu di.\nYr wyf i yn dy garu di (chwi)\nYiddish : Ikh hob dikh lib\nZazi : Ezhele hezdege (sp?)\nZuni : Tom ho' ichema
1,421
how do you say "i love you" in different languges??Afrikaans : Ek is lief vir jou\nEk het jou lief\nAlbanian : Te dua\nAmharic : Afekrishalehou\nArabic : Ana Behibak (to a male)\nAna Behibek (to a female)\nBasc : Nere Maitea\nBavarian : I mog di narrisch gern\nBengali : Ami tomAy bhAlobAshi\nBerber : Lakh tirikh\nBicol : Namumutan ta ka\nBulgarian : Obicham te\nCambodian : kh_nhaum soro_lahn nhee_ah\nBon sro lanh oon\nCantonese : Ngo oi ney\nCatalan : T'estim (mallorcan)\nT'estime (valencian)\nT'estimo (catalonian)\nT'estim molt (I love you a lot)\nChinese : Wo ie ni (Manderin, Cantonese)\nCroatian : Volim te (most common), or\nJa te volim (less common)\nCzech : miluji te\nDanish : Jeg elsker dig\nDutch : Ik hou van jou\nEstonian : Mina armastan sind\nEsperanto : Mi amas vin\nPersian (Farsi) : Tora dust midaram\nFlemish : Ik zie oe geerne\nFinnish : Mina" rakastan sinua\nFrench : Je t'aime\nFriesian : Ik bin fereale op dy\nIk ha^ld fan dy (Most commonly used phrase) (the ^ is above the a)\nGaelic : Ta gra agam ort\nGerman : Ich liebe Dich\nI mog Di ganz arg! (Suebian: South German dialekt.)\nGreek : S' ayapo\nGujarati\n(a dialect of India) "Tane Prem Karoo Choo"\nHausa : Ina sonki\nHebrew : aNEE oHEIVET oTKHA (female to male)\naNEE oHEIV otAKH (male to female)\nAni ohev at (man to woman)\nAni ohevet atah (woman to man)\nHindi: Mein Tumse Pyar Karta Hoon\nHokkien : Wa ai lu\nHopi : Nu' umi unangwa'ta\nHungarian : Szeretlek te'ged\nIcelandic : ?g elska ßig\nIndonesian : Saya cinta padamu\nSaya Cinta Kamu\nAku tjinta padamu\nSaja kasih saudari\nItalian : Ti amo\nIrish : taim i' ngra leat\nJapanese : Kimi o ai shiteru\nKazakh : Men seny jaksy kuremyn\nKiswahili : Nakupenda\nKorean : Tangsinul sarang ha yo\nKurdish : Ez te hezdikhem\nLatin : Te amo\nVos amo\nLao : Khoi huk chau\nLatvian : Es Tev milu\nLingala : Nalingi yo\nLithuanian: Ash miliu tave\nLuo : Aheri\nMadrid lingo : Me molas, tronca\nMalay/Indonesian : Saya cintakan awak(awak=kamu=you)\nAku sayang engkau (engkau=kamu=you)\nMalay : Saya cintamu\nSaya sayangmu\nMaltese: Inhobbok!\n(Added by Christine )\nMandarin : Wo ai ni\nMohawk : Konoronhkwa\nNavajo : Ayor anosh'ni\nNdebele : Niyakutanda\nNorwegian : Jeg elsker deg (Bokmaal)\nEg elskar deg (Nynorsk)\nPakistani : Muje se mu habbat hai\nPersian : Tora dost daram\nPilipino : Mahal Kita\nIniibig Kita\nPolish : Ja Cie Kocham or Kocham Cie (Pronounced Yacha kocham)\nPortuguese : Eu te amo\nRomanian : Te iu besc\nRussian : Ya lyublyu tebya\nYa vas lyublyu\nScot Gaelic : Tha gra&#92;dh agam ort\nSerbian : Volim te (most common), or\nJa te volim" (less common)\nShona : Ndinokuda\nSioux : Techihhila\nSlovak : lubim ta\nSlovene : ljubim te (??????)\nSpanish : Te amo\nSwahili : Nakupenda\nSwedish : Jag a"lskar dig\nSwiss-German : Ch'ha di ga"rn\nTagalog : Mahal kita\nTaiwanese : Gwa ai lee\nTamil Naan Unnai Kadhalikiren (Entry by krishna connexions@theoffice.net)\nThai : Phom Rak Khun\nCh'an Rak Khun\nTunisian : Ha eh bak\nTurkish : Seni seviyorum!\nUrdu : Mujhe tumse muhabbat hai (Entry by Magsemail@aol.com)\nVietnamese : Anh ye^u em (man to woman)\nEm ye^u anh (woman to man)\nToi yeu em\nVlaams : Ik hou van jou\nWelsh : 'Rwy'n dy garu di.\nYr wyf i yn dy garu di (chwi)\nYiddish : Ikh hob dikh lib\nZazi : Ezhele hezdege (sp?)\nZuni : Tom ho' ichema
Family & Relationships
157,961
1Science & Mathematics
looking for space movies shown in the past few decades?
sci-fi space shows by title shown in the last twenty years
1980s Science Fiction\n\nThe 1980s continued the trend of more emphasis on Earth-based, "future life" science fiction movies. The only significant exceptions to this trend were the "Star Trek" series (1980 onwards), "Flash Gordon" (1980), "Outland" (1981), "Dune" (1984), and "The Last Starfighter" (1984). A new trend in this decade was an increasing amount of reliance on "action-adventure" plots with a coincidental "science fiction" setting. Among the more prominent of these were "Outland" (1981), "Blade Runner" (1982), "The Terminator" (1984), and "The Abyss" (1989). I'll have more to say on this topic in the 1990s directory. Again I was unable to cut my list down to only ten, so, I present my "Top 15" science fiction movies of the 1980s.\n\nMovie Clip\n\nFinal Countdown\n(1980 - 104 min) ****\n\nPlot: A modern-day aircraft carrier is time-warped to the night before the Japanese attack on Pearl Harbor and is given the opportunity to stop the attack before it happens. (Based on the novel by Martin Caidin.)\n\nKirk Douglas\nMartin Sheen\nKatharine Ross\nJames Farentino\nCharles Durning\nDirected by Don Taylor\n\nMovie Clip\n\nFlash Gordon\n(1980 - 111 min) ***\n\nPlot: Campy remake of the classic 1930's serial starring Buster Crabbe in the title role. The evil Emperor Ming wages instellar war on Flash and his friends.\n\nSam Jones\nMelody Anderson\nTopol\nMax von Sydow\nOmella Muti\nBrian Blessed\nTimothy Dalton\nDirected by Mike Hodges\n\nMovie Clip\n\nStar Trek: The Motion Picture\n(1980 - 145 min) ***\n\nPlot: The Federation Starship "Enterprise" goes to investigate a powerful alien machine that is approaching Earth with possible deadly intent.\n\nWilliam Shatner\nLeonard Nimoy\nDeForest Kelly\nJames Doohan\nGeorge Takei\nWalter Koenig\nNichelle Nichols\nStephen Collins\nPersis Khambatta\nDirected by Robert Wise\n\nSequels:\n# ST II: The Wrath of Kahn (1982 - 113 min) *****\n# ST III: The Seach for Spock (1984 - 105 min) ***\n# ST IV: The Voyage Home (1986 - 119 min) ****\n# ST V: The Final Frontier (1989 - 107 min) ***\n# ST VI: The Undiscovered Country (1991 - 110 min) ****\n# ST: Generations (1994 - 118 min) ***\n# ST: First Contact (1996 - 110 min) ****\n# ST: Insurrection (1998 - 103 min) ***\n# ST: Nemesis (2002 - 120 min) ****\n\nMovie Clip\n\nOutland\n(1981 - 110 min) ***\n\nPlot: A future law officer uncovers a criminal conspiracy at a mining colony on one of Jupiter's moons.\n\nSean Connery\nPeter Boyle\nFrances Sternhagen\nJames Sikking\nDirected by Peter Hyams\n\nMovie Clip\n\nBlade Runner\n(1982 - 122 min) ***\n\nPlot: A 21st Century lawman tracks down superhuman androids who escaped enslavement. (Based on the novel "Do Androids Dream of Electric Sheep?" by Philip K. Dick.)\n\nHarrison Ford\nRutger Hauer\nSean Young\nEdward James Olmos\nDaryl Hannah\nDirected by Ridley Scott\n\nMovie Clip\n\nE.T. - The Extra-Terrestrial\n(1982 - 115 min) *****\n\nPlot: A cute alien lands near a suburban community and is befriended by a boy who helps him "phone home."\n\nDee Wallace Stone\nHenry Thomas\nPeter Coyote\nDrew Barrymore\nDirected by Steven Spielberg\n\nMovie Clip\n\nTron\n(1982 - 95 min) ****\n\nPlot: A computer jock finds himself trapped in a world inside a computer where he faces a life-and-death arcade game for his life. (One of the first and most extensive uses of computer animation combined with live-action.)\n\nJeff Bridges\nBruce Boxlietner\nDavid Warner\nDirected by Steven Lisberger\n\nMovie Clip\n\nTwilight Zone: The Movie\n(1983 - 101 min) ***\n\nPlot: Remakes of a trio of classic episodes from the "Twilight Zone" TV series.\n\nVic Morrow (killed during filming)\nScatman Crothers\nKevin McCarthy\nJohn Lithgow\nDirected by John Landis, Steven Spielberg, Joe Dante, George Miller\n\nMovie Clip\n\nWar Games\n(1983 - 100 min) **\n\nPl
1,213
looking for space movies shown in the past few decades?sci-fi space shows by title shown in the last twenty years1980s Science Fiction\n\nThe 1980s continued the trend of more emphasis on Earth-based, "future life" science fiction movies. The only significant exceptions to this trend were the "Star Trek" series (1980 onwards), "Flash Gordon" (1980), "Outland" (1981), "Dune" (1984), and "The Last Starfighter" (1984). A new trend in this decade was an increasing amount of reliance on "action-adventure" plots with a coincidental "science fiction" setting. Among the more prominent of these were "Outland" (1981), "Blade Runner" (1982), "The Terminator" (1984), and "The Abyss" (1989). I'll have more to say on this topic in the 1990s directory. Again I was unable to cut my list down to only ten, so, I present my "Top 15" science fiction movies of the 1980s.\n\nMovie Clip\n\nFinal Countdown\n(1980 - 104 min) ****\n\nPlot: A modern-day aircraft carrier is time-warped to the night before the Japanese attack on Pearl Harbor and is given the opportunity to stop the attack before it happens. (Based on the novel by Martin Caidin.)\n\nKirk Douglas\nMartin Sheen\nKatharine Ross\nJames Farentino\nCharles Durning\nDirected by Don Taylor\n\nMovie Clip\n\nFlash Gordon\n(1980 - 111 min) ***\n\nPlot: Campy remake of the classic 1930's serial starring Buster Crabbe in the title role. The evil Emperor Ming wages instellar war on Flash and his friends.\n\nSam Jones\nMelody Anderson\nTopol\nMax von Sydow\nOmella Muti\nBrian Blessed\nTimothy Dalton\nDirected by Mike Hodges\n\nMovie Clip\n\nStar Trek: The Motion Picture\n(1980 - 145 min) ***\n\nPlot: The Federation Starship "Enterprise" goes to investigate a powerful alien machine that is approaching Earth with possible deadly intent.\n\nWilliam Shatner\nLeonard Nimoy\nDeForest Kelly\nJames Doohan\nGeorge Takei\nWalter Koenig\nNichelle Nichols\nStephen Collins\nPersis Khambatta\nDirected by Robert Wise\n\nSequels:\n# ST II: The Wrath of Kahn (1982 - 113 min) *****\n# ST III: The Seach for Spock (1984 - 105 min) ***\n# ST IV: The Voyage Home (1986 - 119 min) ****\n# ST V: The Final Frontier (1989 - 107 min) ***\n# ST VI: The Undiscovered Country (1991 - 110 min) ****\n# ST: Generations (1994 - 118 min) ***\n# ST: First Contact (1996 - 110 min) ****\n# ST: Insurrection (1998 - 103 min) ***\n# ST: Nemesis (2002 - 120 min) ****\n\nMovie Clip\n\nOutland\n(1981 - 110 min) ***\n\nPlot: A future law officer uncovers a criminal conspiracy at a mining colony on one of Jupiter's moons.\n\nSean Connery\nPeter Boyle\nFrances Sternhagen\nJames Sikking\nDirected by Peter Hyams\n\nMovie Clip\n\nBlade Runner\n(1982 - 122 min) ***\n\nPlot: A 21st Century lawman tracks down superhuman androids who escaped enslavement. (Based on the novel "Do Androids Dream of Electric Sheep?" by Philip K. Dick.)\n\nHarrison Ford\nRutger Hauer\nSean Young\nEdward James Olmos\nDaryl Hannah\nDirected by Ridley Scott\n\nMovie Clip\n\nE.T. - The Extra-Terrestrial\n(1982 - 115 min) *****\n\nPlot: A cute alien lands near a suburban community and is befriended by a boy who helps him "phone home."\n\nDee Wallace Stone\nHenry Thomas\nPeter Coyote\nDrew Barrymore\nDirected by Steven Spielberg\n\nMovie Clip\n\nTron\n(1982 - 95 min) ****\n\nPlot: A computer jock finds himself trapped in a world inside a computer where he faces a life-and-death arcade game for his life. (One of the first and most extensive uses of computer animation combined with live-action.)\n\nJeff Bridges\nBruce Boxlietner\nDavid Warner\nDirected by Steven Lisberger\n\nMovie Clip\n\nTwilight Zone: The Movie\n(1983 - 101 min) ***\n\nPlot: Remakes of a trio of classic episodes from the "Twilight Zone" TV series.\n\nVic Morrow (killed during filming)\nScatman Crothers\nKevin McCarthy\nJohn Lithgow\nDirected by John Landis, Steven Spielberg, Joe Dante, George Miller\n\nMovie Clip\n\nWar Games\n(1983 - 100 min) **\n\nPl
Science & Mathematics
157,989
0Society & Culture
Where is this in the Bible, if so?
I've heard that the rules to keeping kosher are in the Bible. If it's true, where are they?
Look at the whole chapter, Leviticus 11:::\n\n Leviticus 11:1 And the Etrnl spake unto \n Moses and to Aaron, saying unto them, 2 \n Speak unto the children of Israel, saying, \n These are the beasts which ye shall eat \n among all the beasts that are on the \n earth. 3 Whatsoever......\n\nit goes on to say what is edible from the domesticated animals (must both chew its cud and have cloven hoofs), and from the waters (must have fins and scales).\n\nFurthermore, the animals must be killed by humans (road-kill is outlawed):::\n\n Exodus 22:31 And ye shall be holy men unto \n me: neither shall ye eat any flesh that is \n torn of beasts in the field; ye shall cast \n it to the dogs. \n\nThere are four levels to keeping kosher. The first, defined by the Bible, is the list of animals 'fit' or 'proper' to be eaten. This is found as you read above from Leviticus 11.\n\nThe next level is how the animal is slaughtered. It must be done as instantly and as painlessly as possible. This is insured by making the slaughtering a religious ritual so that it must be done the same way every time.\n\nThe third level is how the meat is prepared. Jews are forbidden to eat blood::\n\n Leviticus 17:10 And whatsoever man there \n be of the house of Israel, or of the \n strangers that sojourn among you, that \n eateth any manner of blood; I will even \n set my face against that soul that eateth \n blood, and will cut him off from among \n his people. 11 For the life of the flesh \n is in the blood: and I have given it to \n you upon the altar to make an atonement \n for your souls: for it is the blood that \n maketh an atonement for the soul. 12 \n Therefore I said unto the children of \n Israel, No soul of you shall eat blood, \n neither shall any stranger that \n sojourneth among you eat blood. \n\nTherefore as much of the blood as is possible must be removed. The way this is done is by a very very thick, course salt. The meat is covered with it, the salt soaks up much of the blood, and then the bloody salt is washed off. This is repeated a few times.\n\nThe fourth level is how the meat is served. The Bible tells us that one must not boil a baby goat in its own mother's milk. It was a pagan, not Jewish, custom to take a baby goat and boil it alive in its own mother's milk. The pagans felt this was some sort of magical thing, that the life-giving milk killed the animal instead....who can understand the pagan mentality? At any rate, Gd forbids the Jews from the horrible practice, and so in 3 places in the Bible::\n\n Exodus 23:19 The first of the \n firstfruits of thy land thou shalt bring \n into the house of the LORD thy God. Thou \n shalt not seethe a kid in his mother's \n milk. \n\n Exodus 34:26 The first of the \n firstfruits of thy land thou shalt bring \n unto the house of the Etrnl thy Gd. Thou \n shalt not seethe a kid in his mother's \n milk. \n\n Deuteronomy 14:21 Ye shall not eat of \n any thing that dieth of itself: thou \n shalt give it unto the stranger that is \n in thy gates, that he may eat it; or thou \n mayest sell it unto an alien: for thou \n art an holy people unto the Etrnl thy Gd. \n Thou shalt not seethe a kid in his \n mother's milk. \n\nFrom this the Jews learn another lesson, and that is that Gd does not want us to mix life, which is the milk, with death, which is the meat. Jews who keep these laws dont mix milk or milk products with meat or meat products, to stay holy to Gd. Remember that 'holy' means 'different, set ap
1,041
Where is this in the Bible, if so?I've heard that the rules to keeping kosher are in the Bible. If it's true, where are they?Look at the whole chapter, Leviticus 11:::\n\n Leviticus 11:1 And the Etrnl spake unto \n Moses and to Aaron, saying unto them, 2 \n Speak unto the children of Israel, saying, \n These are the beasts which ye shall eat \n among all the beasts that are on the \n earth. 3 Whatsoever......\n\nit goes on to say what is edible from the domesticated animals (must both chew its cud and have cloven hoofs), and from the waters (must have fins and scales).\n\nFurthermore, the animals must be killed by humans (road-kill is outlawed):::\n\n Exodus 22:31 And ye shall be holy men unto \n me: neither shall ye eat any flesh that is \n torn of beasts in the field; ye shall cast \n it to the dogs. \n\nThere are four levels to keeping kosher. The first, defined by the Bible, is the list of animals 'fit' or 'proper' to be eaten. This is found as you read above from Leviticus 11.\n\nThe next level is how the animal is slaughtered. It must be done as instantly and as painlessly as possible. This is insured by making the slaughtering a religious ritual so that it must be done the same way every time.\n\nThe third level is how the meat is prepared. Jews are forbidden to eat blood::\n\n Leviticus 17:10 And whatsoever man there \n be of the house of Israel, or of the \n strangers that sojourn among you, that \n eateth any manner of blood; I will even \n set my face against that soul that eateth \n blood, and will cut him off from among \n his people. 11 For the life of the flesh \n is in the blood: and I have given it to \n you upon the altar to make an atonement \n for your souls: for it is the blood that \n maketh an atonement for the soul. 12 \n Therefore I said unto the children of \n Israel, No soul of you shall eat blood, \n neither shall any stranger that \n sojourneth among you eat blood. \n\nTherefore as much of the blood as is possible must be removed. The way this is done is by a very very thick, course salt. The meat is covered with it, the salt soaks up much of the blood, and then the bloody salt is washed off. This is repeated a few times.\n\nThe fourth level is how the meat is served. The Bible tells us that one must not boil a baby goat in its own mother's milk. It was a pagan, not Jewish, custom to take a baby goat and boil it alive in its own mother's milk. The pagans felt this was some sort of magical thing, that the life-giving milk killed the animal instead....who can understand the pagan mentality? At any rate, Gd forbids the Jews from the horrible practice, and so in 3 places in the Bible::\n\n Exodus 23:19 The first of the \n firstfruits of thy land thou shalt bring \n into the house of the LORD thy God. Thou \n shalt not seethe a kid in his mother's \n milk. \n\n Exodus 34:26 The first of the \n firstfruits of thy land thou shalt bring \n unto the house of the Etrnl thy Gd. Thou \n shalt not seethe a kid in his mother's \n milk. \n\n Deuteronomy 14:21 Ye shall not eat of \n any thing that dieth of itself: thou \n shalt give it unto the stranger that is \n in thy gates, that he may eat it; or thou \n mayest sell it unto an alien: for thou \n art an holy people unto the Etrnl thy Gd. \n Thou shalt not seethe a kid in his \n mother's milk. \n\nFrom this the Jews learn another lesson, and that is that Gd does not want us to mix life, which is the milk, with death, which is the meat. Jews who keep these laws dont mix milk or milk products with meat or meat products, to stay holy to Gd. Remember that 'holy' means 'different, set ap
Society & Culture
158,993
0Society & Culture
Can anyone who has "seen" The Devil in the flesh explain to me what they saw?
Occasionally I run across posts where people indicate that they have seen The Devil in the flesh. \n\nI am admittedly skeptical of such claims (to put it mildly.)\n\nWith that disclaimer out of the way, I'm very curious to know what exactly you saw.\n\nI'm not talking about people who have metaphorically seen the devil in drug addiction or Charles Manson. I'm talking about people who claim to have seen The Devil in the flesh.\n\nI'm curious as to what he looked like, did, said, everything.\n\nIf you're willing to enlighten me, I'm willing to listen.
I will try to explain to you…\n\nFirst of all… the devil is a spirit creature… and is not thrice in structure as a human being is. A human being is soul, body, and spirit. Therefore saying “the devil in the flesh” is not a good way to describe such.\n\nFallen celestials are no longer ‘perfect beings’ because fallen angels gained a ‘fallen nature’ after falling from grace. Being a spirit… a fallen angel’s form is nothing like that of a human being or an animal’s form, etc.\n\nSpirits are physically around… but their nature as spirits is extremely different from anything that the human being normally sees around. People just try to get around this difficultly by saying that they are ‘spiritual’. So, basically to the human being in the common mindset… celestial beings are very alien to us. They are so unearthly and have such unfamiliar forms, that… to see one physically… as one would see another human… it can strike fear into an individual. Nevertheless… no one should fear a mere creature.\n\nIt is hard to describe unearthly things in language that can be well understood. Basically… seeing a fallen angel ‘can’ be just like seeing George W Bush. You can see Bush, hear him, or even touch him… because he is actually real. Actually seeing a fallen angel is not something in the mind. Just as Bush is real… so are fallen angels.\n\nFallen angels can be: seen, heard (as you would hear another human being), smelt, touched, and sensed.\n\nThe below information is copied from a website: (it is a description of Satan in one of his two forms… being a spirit he shifts).\n_____________________________________________\nILLUSTRATION OR ANALYSIS OF FORM\nDESIGNED TO CLARIFY MISUNDERSTANDINGS\n\nDifferences from the human form\n\nHeylel’s form includes different textures that are of fallen angelic nature, wings \nthat withdraw or retract into his back, a tail with spade tip, another joint (extra part \nto the leg) from the shin, then ankles and cloven hooves. Although, commonly \ndepicted as having claws or horns, he has neither in his humanoid form. Heylel \nalso has a nictitating membrane (that can move across the eye) as a lizard or a cat.\n\nHeight and Weight\n\nIn Heylel’s humanoid form, his height is 5’6”. The angelic being’s standard \nweight changes because they are spirit beings.\n\nSkin, leather and fur colorization, etc\n\nHeylel’s skin colorization is a shiny, light white. The creature’s fur fades from \nblond – to a dark (copper/reddish) brown – being variegated in a usually unkempt \nmatter. Heylel’s fur tends to shed as flying dust, no doubt showing that he is \ncursed. Hair or fur in this type of condition indicates an unhealthy state. He has \nfur from his waist down, in length, much like a long-haired cat. Heylel’s wings \nand his tail have a leather-like skin, not scales, the leather shades from red to a \ndarker red. The bones of his wings are covered in a black leather skin. The \ncreature’s cloven hooves are much like the natural colorization of a cow’s hoof.\n\nFacial features\n\nHeylel has blond spiky hair. He has a beard (the imperial beard), and very light \nblue eyes – that seem to reflect. The creature has a wound (or scar) on the top-\nright side of his head. At times, the wound has a yellowish substance that exudes \nand becomes incrusted on his head. When yellowish the creature smells rotten. \nHe also has a scar above the right eye.\n\nWings\n\nHeylel’s wings look strange. They appear to be, as if they were bat wings. \nHowever, the creature most likely had feathered wings in the beginning. They are \nmade of a hallowed bone structure with a thin layer of tightly stretched leather-like \nskin other the bones. You could see shades of light though the stretched skin.\n\nOther features\n\nHeylel has a tumor on the outer side of his right shin.\n_____________________________________________\n(Article ends he
1,187
Can anyone who has "seen" The Devil in the flesh explain to me what they saw?Occasionally I run across posts where people indicate that they have seen The Devil in the flesh. \n\nI am admittedly skeptical of such claims (to put it mildly.)\n\nWith that disclaimer out of the way, I'm very curious to know what exactly you saw.\n\nI'm not talking about people who have metaphorically seen the devil in drug addiction or Charles Manson. I'm talking about people who claim to have seen The Devil in the flesh.\n\nI'm curious as to what he looked like, did, said, everything.\n\nIf you're willing to enlighten me, I'm willing to listen.I will try to explain to you…\n\nFirst of all… the devil is a spirit creature… and is not thrice in structure as a human being is. A human being is soul, body, and spirit. Therefore saying “the devil in the flesh” is not a good way to describe such.\n\nFallen celestials are no longer ‘perfect beings’ because fallen angels gained a ‘fallen nature’ after falling from grace. Being a spirit… a fallen angel’s form is nothing like that of a human being or an animal’s form, etc.\n\nSpirits are physically around… but their nature as spirits is extremely different from anything that the human being normally sees around. People just try to get around this difficultly by saying that they are ‘spiritual’. So, basically to the human being in the common mindset… celestial beings are very alien to us. They are so unearthly and have such unfamiliar forms, that… to see one physically… as one would see another human… it can strike fear into an individual. Nevertheless… no one should fear a mere creature.\n\nIt is hard to describe unearthly things in language that can be well understood. Basically… seeing a fallen angel ‘can’ be just like seeing George W Bush. You can see Bush, hear him, or even touch him… because he is actually real. Actually seeing a fallen angel is not something in the mind. Just as Bush is real… so are fallen angels.\n\nFallen angels can be: seen, heard (as you would hear another human being), smelt, touched, and sensed.\n\nThe below information is copied from a website: (it is a description of Satan in one of his two forms… being a spirit he shifts).\n_____________________________________________\nILLUSTRATION OR ANALYSIS OF FORM\nDESIGNED TO CLARIFY MISUNDERSTANDINGS\n\nDifferences from the human form\n\nHeylel’s form includes different textures that are of fallen angelic nature, wings \nthat withdraw or retract into his back, a tail with spade tip, another joint (extra part \nto the leg) from the shin, then ankles and cloven hooves. Although, commonly \ndepicted as having claws or horns, he has neither in his humanoid form. Heylel \nalso has a nictitating membrane (that can move across the eye) as a lizard or a cat.\n\nHeight and Weight\n\nIn Heylel’s humanoid form, his height is 5’6”. The angelic being’s standard \nweight changes because they are spirit beings.\n\nSkin, leather and fur colorization, etc\n\nHeylel’s skin colorization is a shiny, light white. The creature’s fur fades from \nblond – to a dark (copper/reddish) brown – being variegated in a usually unkempt \nmatter. Heylel’s fur tends to shed as flying dust, no doubt showing that he is \ncursed. Hair or fur in this type of condition indicates an unhealthy state. He has \nfur from his waist down, in length, much like a long-haired cat. Heylel’s wings \nand his tail have a leather-like skin, not scales, the leather shades from red to a \ndarker red. The bones of his wings are covered in a black leather skin. The \ncreature’s cloven hooves are much like the natural colorization of a cow’s hoof.\n\nFacial features\n\nHeylel has blond spiky hair. He has a beard (the imperial beard), and very light \nblue eyes – that seem to reflect. The creature has a wound (or scar) on the top-\nright side of his head. At times, the wound has a yellowish substance that exudes \nand becomes incrusted on his head. When yellowish the creature smells rotten. \nHe also has a scar above the right eye.\n\nWings\n\nHeylel’s wings look strange. They appear to be, as if they were bat wings. \nHowever, the creature most likely had feathered wings in the beginning. They are \nmade of a hallowed bone structure with a thin layer of tightly stretched leather-like \nskin other the bones. You could see shades of light though the stretched skin.\n\nOther features\n\nHeylel has a tumor on the outer side of his right shin.\n_____________________________________________\n(Article ends he
Society & Culture
159,962
7Entertainment & Music
fun facts?
10pts to the person who can give me the best fun fact...
Murphy's Oil Soap is the chemical most commonly used to clean elephants. \n\nIt takes about 142.18 licks to reach the center of a tootsie pop.\n\nKermit the Frog is left handed.\n\nWoodpecker scalps, porpoise teeth and giraffe tails have all been used as money.\n\nBrazil got it's name from the nut, not the other way around.\n\nDonald Duck comics were banned in Finland because he doesn't wear pants.\n\nMel Blanc (the voice of Bugs Bunny) was allergic to carrots.\n\nThe Sanskrit word for war translates as 'wanting more cows'\n\nThe U.S. Government will not allow portraits of living persons to appear on stamps.\n\nMore money is printed daily for the Monopoly game than by the U.S. Treasury.\n\n\nMore people are killed annually by donkeys than die in air crashes. \n\nA lump of pure gold the size of a matchbox can be flattened into a sheet the size of a tennis court!\n\nIn Ancient Peru, when a woman found an 'ugly' potato, it was the custom for her to push it into the face of the nearest man. \n\nThe sound of E.T. walking was made by someone squishing her hands in jelly. \n\nThere are twice as many kangaroos in Australia as there are people. The kangaroo population is estimated at about 40 million. \n\nThe word "nerd" was first coined by Dr. Seuss in "If I Ran the Zoo." \n\n'Nice' is derived from the Latin 'nescius', ignorant (from 'nescire', 'not to know') Its meaning in the fourteenth and fifteenth centuries commonly was 'foolish' or 'wanton' \n\nGrenade-throwing is an official sporting event in the People's Republic of China \n\nOn an island in northern Wales there's a village called Llanfairpwllgwyngyllgogerychwyrndrobwllllandysiliogogogoch \n\n\nCaptain Kirk never said 'Beam me up, Scotty,' but he did say, 'Beam me up, Mr. Scott.' \n\nThe Ottoman Empire once had seven emperors in seven months They died of (in order): burning, choking, drowning, stabbing, heart failure, poisoning and being thrown from a horse \n\n\nDonald Duck lives at 1313 Webfoot Walk, Duckburg, Calisota \n\n\n\nThe 'save' icon in Microsoft Word shows a floppy disk with the shutter on backwards \n\nNative Americans never actually ate turkey; killing such a timid bird was thought to indicate laziness.\n\nSpam stands for Shoulder Pork and hAM.\n\nGrapes explode when you put them in the microwave.\n\nIn the late 1970s, Coca-Cola Co. boycotted the NBC late-night comedy show "Saturday Night Live" for several years. The giant soda company was retaliating against a frequent character of comedian John Belushi's, a Greek restaurant owner, who repeatedly said to customers, "No Coke... Pepsi," thus saying the rival company's name dozens of times throughout each skit.\n\nSome people consider the $1 bill unlucky because there are so many 13's on it: 13 stars, 13 stripes, 13 steps, 13 arrows and even an olive branch with 13 leaves on it. Of course the $1 bill is unlucky - if it was lucky it would be a $100 bill.\n\nWhen visiting Finland, Santa leaves his sleigh behind and rides on a goat named Ukko. Finnish folklore has it that Ukko is made of straw, but is strong enough to carry Santa Claus anyway.\n\nThe combination "ough" can be pronounced in nine different ways. The following sentence contains them all: "A rough-coated, dough-faced, thoughtful plough man strode through the streets of Scarborough; after falling into a slough, he coughed and hiccoughed."\n\nMalcolm Lowry had pnigophobia—the fear of choking on fish bones.\n\nAugustus Caesar had achluophobia—the fear of sitting in the dark.\n\nAndrophobia is a fear of men.\n\nCaligynephobia is a fear of beautiful women.\n\nPentheraphobia is a fear of a mother-in-law.\n\nScopophobia is a fear of being looked at.\n\nPhobophobia is a fear of fearing.\n\nMageiricophobia is the intense fear of having to cook.\n\nPapaphobia is the fear of Popes.\n\n
1,078
fun facts?10pts to the person who can give me the best fun fact...Murphy's Oil Soap is the chemical most commonly used to clean elephants. \n\nIt takes about 142.18 licks to reach the center of a tootsie pop.\n\nKermit the Frog is left handed.\n\nWoodpecker scalps, porpoise teeth and giraffe tails have all been used as money.\n\nBrazil got it's name from the nut, not the other way around.\n\nDonald Duck comics were banned in Finland because he doesn't wear pants.\n\nMel Blanc (the voice of Bugs Bunny) was allergic to carrots.\n\nThe Sanskrit word for war translates as 'wanting more cows'\n\nThe U.S. Government will not allow portraits of living persons to appear on stamps.\n\nMore money is printed daily for the Monopoly game than by the U.S. Treasury.\n\n\nMore people are killed annually by donkeys than die in air crashes. \n\nA lump of pure gold the size of a matchbox can be flattened into a sheet the size of a tennis court!\n\nIn Ancient Peru, when a woman found an 'ugly' potato, it was the custom for her to push it into the face of the nearest man. \n\nThe sound of E.T. walking was made by someone squishing her hands in jelly. \n\nThere are twice as many kangaroos in Australia as there are people. The kangaroo population is estimated at about 40 million. \n\nThe word "nerd" was first coined by Dr. Seuss in "If I Ran the Zoo." \n\n'Nice' is derived from the Latin 'nescius', ignorant (from 'nescire', 'not to know') Its meaning in the fourteenth and fifteenth centuries commonly was 'foolish' or 'wanton' \n\nGrenade-throwing is an official sporting event in the People's Republic of China \n\nOn an island in northern Wales there's a village called Llanfairpwllgwyngyllgogerychwyrndrobwllllandysiliogogogoch \n\n\nCaptain Kirk never said 'Beam me up, Scotty,' but he did say, 'Beam me up, Mr. Scott.' \n\nThe Ottoman Empire once had seven emperors in seven months They died of (in order): burning, choking, drowning, stabbing, heart failure, poisoning and being thrown from a horse \n\n\nDonald Duck lives at 1313 Webfoot Walk, Duckburg, Calisota \n\n\n\nThe 'save' icon in Microsoft Word shows a floppy disk with the shutter on backwards \n\nNative Americans never actually ate turkey; killing such a timid bird was thought to indicate laziness.\n\nSpam stands for Shoulder Pork and hAM.\n\nGrapes explode when you put them in the microwave.\n\nIn the late 1970s, Coca-Cola Co. boycotted the NBC late-night comedy show "Saturday Night Live" for several years. The giant soda company was retaliating against a frequent character of comedian John Belushi's, a Greek restaurant owner, who repeatedly said to customers, "No Coke... Pepsi," thus saying the rival company's name dozens of times throughout each skit.\n\nSome people consider the $1 bill unlucky because there are so many 13's on it: 13 stars, 13 stripes, 13 steps, 13 arrows and even an olive branch with 13 leaves on it. Of course the $1 bill is unlucky - if it was lucky it would be a $100 bill.\n\nWhen visiting Finland, Santa leaves his sleigh behind and rides on a goat named Ukko. Finnish folklore has it that Ukko is made of straw, but is strong enough to carry Santa Claus anyway.\n\nThe combination "ough" can be pronounced in nine different ways. The following sentence contains them all: "A rough-coated, dough-faced, thoughtful plough man strode through the streets of Scarborough; after falling into a slough, he coughed and hiccoughed."\n\nMalcolm Lowry had pnigophobia—the fear of choking on fish bones.\n\nAugustus Caesar had achluophobia—the fear of sitting in the dark.\n\nAndrophobia is a fear of men.\n\nCaligynephobia is a fear of beautiful women.\n\nPentheraphobia is a fear of a mother-in-law.\n\nScopophobia is a fear of being looked at.\n\nPhobophobia is a fear of fearing.\n\nMageiricophobia is the intense fear of having to cook.\n\nPapaphobia is the fear of Popes.\n\n
Entertainment & Music
160,475
4Computers & Internet
I have this error when using ping command on a pc with win xp "Unable to contact IP driver, error code 2?"
This might be due to winsock2 corruption.you can try the following Solution \n\n\n#How to determine whether the Winsock2 key is corrupted \n\nTo determine if the symptoms are caused by a problem with the Winsock2 key, use one of the following methods. \n\n\nMethod 1: Use the Netdiag tool \nTo use the Netdiag tool, you must install the Microsoft Windows XP Support Tools. To do so, follow these steps: \nNote \nIf you already have Support Tools installed, go to the second procedure in this section. \nIf you do not have Support Tools installed and you do not have the Windows XP Setup CD, go to Method 2. \nInsert your Windows XP Setup CD \nLocate the Support&#92;Tools folder \nDouble-click the Setup.exe file \nFollow the steps on the screen until you reach the Select An Installation Type screen \nOn the Select An Installation Type screen \nClick Complete \nClick Next \nWhen the installation is complete, follow these steps: \nClick Start \nClick Run \nType the following in the Run box \nCommand \nClick OK \nType \nnetdiag /test:winsock \nPress Enter \nThe Netdiag tool will return the test results for several network components, including the Winsock. \nFor more details about the test, use /v at the end of the netdiag command: netdiag /test:winsock /v \n\nMethod 2: Use the Msinfo32 program \nNote Use this method only if you do not have a Windows XP Setup CD and you do not have Support Tools installed. \nClick Start \nClick Run \nType in the Run box \nMsinfo32 \nClick OK \nExpand Components \nExpand Network \nClick Protocol \nYou will have ten sections under Protocol \nThe section headings will include the following names if the Winsock2 key is undamaged: \nMSAFD Tcpip [TCP/IP] \nMSAFD Tcpip [UDP/IP] \nRSVP UDP Service Provider \nRSVP TCP Service Provider \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nIf the names are anything different from those in this list, the Winsock2 key is corrupted, or you have a third-party add-on, such as proxy software, installed. \nIf you have a third-party add-on installed, the name of the add-on will replace the letters "MSAFD" in the list. \nIf there are more than ten sections in the list, you have third-party additions installed. \nIf there are fewer than ten sections, there is information missing. \nNote These entries represent an installation with only the TCP/IP protocol installed. You can have a working Winsock and see additional entries if another protocol is installed. For example, if you install NWLink IPX/SPX, you will see 7 additional sections, for a total of 17. Below is an example heading of one of the new sections: \nMSAFD nwlnkipx [IPX] \nAlso, each of the new sections that are created by installing NWLink IPX/SPX start with "MSAFD." Therefore, there are still only two sections that do not start with those letters. \nIf the Netdiag test fails, or if you determined that there is Winsock corruption by looking at Msinfo32, you must repair the Winsock2 key by using the steps in the next section. \nHow to Recover from Winsock2 Corruption \nTo resolve this issue, delete the corrupted registry keys, and then reinstall the TCP/IP protocol. \nStep 1: Delete the corrupted registry keys \nClick Start \nClick Run \nIn the Open box type \nregedit \nClick OK \nIn Registry Editor, locate the following keys, right-click each key, and then click Delete: \nHKEY_LOCAL_MACHINE&#92;System&#92;CurrentControlSet&#92;Services\n&#92;Winsock\nHKEY_LOCAL_MACHINE&#92;System&#92;CurrentControlSet&#92;Services\n&#92;Winsock2 \nWhen you are prompted to confirm the deletion, click Yes \nNote Restart the computer after you delete the Winsock keys. Doing so causes the Windows XP operating system to create new shell entries for those two keys. If you do not restart the computer aft
1,124
I have this error when using ping command on a pc with win xp "Unable to contact IP driver, error code 2?"This might be due to winsock2 corruption.you can try the following Solution \n\n\n#How to determine whether the Winsock2 key is corrupted \n\nTo determine if the symptoms are caused by a problem with the Winsock2 key, use one of the following methods. \n\n\nMethod 1: Use the Netdiag tool \nTo use the Netdiag tool, you must install the Microsoft Windows XP Support Tools. To do so, follow these steps: \nNote \nIf you already have Support Tools installed, go to the second procedure in this section. \nIf you do not have Support Tools installed and you do not have the Windows XP Setup CD, go to Method 2. \nInsert your Windows XP Setup CD \nLocate the Support&#92;Tools folder \nDouble-click the Setup.exe file \nFollow the steps on the screen until you reach the Select An Installation Type screen \nOn the Select An Installation Type screen \nClick Complete \nClick Next \nWhen the installation is complete, follow these steps: \nClick Start \nClick Run \nType the following in the Run box \nCommand \nClick OK \nType \nnetdiag /test:winsock \nPress Enter \nThe Netdiag tool will return the test results for several network components, including the Winsock. \nFor more details about the test, use /v at the end of the netdiag command: netdiag /test:winsock /v \n\nMethod 2: Use the Msinfo32 program \nNote Use this method only if you do not have a Windows XP Setup CD and you do not have Support Tools installed. \nClick Start \nClick Run \nType in the Run box \nMsinfo32 \nClick OK \nExpand Components \nExpand Network \nClick Protocol \nYou will have ten sections under Protocol \nThe section headings will include the following names if the Winsock2 key is undamaged: \nMSAFD Tcpip [TCP/IP] \nMSAFD Tcpip [UDP/IP] \nRSVP UDP Service Provider \nRSVP TCP Service Provider \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nMSAFD NetBIOS [&#92;Device&#92;NetBT_Tcpip \nIf the names are anything different from those in this list, the Winsock2 key is corrupted, or you have a third-party add-on, such as proxy software, installed. \nIf you have a third-party add-on installed, the name of the add-on will replace the letters "MSAFD" in the list. \nIf there are more than ten sections in the list, you have third-party additions installed. \nIf there are fewer than ten sections, there is information missing. \nNote These entries represent an installation with only the TCP/IP protocol installed. You can have a working Winsock and see additional entries if another protocol is installed. For example, if you install NWLink IPX/SPX, you will see 7 additional sections, for a total of 17. Below is an example heading of one of the new sections: \nMSAFD nwlnkipx [IPX] \nAlso, each of the new sections that are created by installing NWLink IPX/SPX start with "MSAFD." Therefore, there are still only two sections that do not start with those letters. \nIf the Netdiag test fails, or if you determined that there is Winsock corruption by looking at Msinfo32, you must repair the Winsock2 key by using the steps in the next section. \nHow to Recover from Winsock2 Corruption \nTo resolve this issue, delete the corrupted registry keys, and then reinstall the TCP/IP protocol. \nStep 1: Delete the corrupted registry keys \nClick Start \nClick Run \nIn the Open box type \nregedit \nClick OK \nIn Registry Editor, locate the following keys, right-click each key, and then click Delete: \nHKEY_LOCAL_MACHINE&#92;System&#92;CurrentControlSet&#92;Services\n&#92;Winsock\nHKEY_LOCAL_MACHINE&#92;System&#92;CurrentControlSet&#92;Services\n&#92;Winsock2 \nWhen you are prompted to confirm the deletion, click Yes \nNote Restart the computer after you delete the Winsock keys. Doing so causes the Windows XP operating system to create new shell entries for those two keys. If you do not restart the computer aft
Computers & Internet
161,348
7Entertainment & Music
What Are The Lyrics For Grillz?
I love this song and I was wondering if someone could tell me the lyrics to it?
Here are your lyrics. Thanks for aswerning my question.\n\nRob the jewelry store and tell 'em make me a grill.\n\nAdd da whole top diamond and the bottom Row's gold.\n\n[J.D.]\nYo we bout to start a epidemic wit dis one\nYa'll know what dis is... So So Def\n\n[Nelly]\nGot 30 down at the bottom, 30 mo at the top\nAll invisible set in little ice cube blocks\nIf I could call it a drink, call it a smile on da rocks\nIf I could call out a price, let's say I call out a lot\nI got like platinum and white gold, traditional gold\nI'm changin grillz errday, like Jay change clothes,\nI might be grilled out nicely (oh) In my white tee (oh),\nOn South beach (oh) in my wife beat.\nV V and studded you can tell when they cut it\nYa see my granmama hate it, but my lil mama love it\nCuz when I...\n\n[Woman]\nOpen up ya mouth, ya grill gleamin (say what)\nEyes stay low from da cheifin'\n\n[Nelly]\nI got a grill I call penny candy you know what that means,\nIt look like Now n Laters, gum drops, jelly and beans\nI wouldn't leave it for nothin only a crazy man would\nSo if you catch me in ya city, somewhere out in ya hood just say\n\n[Chorus:]\nSmile fo me daddy\n(What you lookin at)\nLet me see ya grill\n(Let you see my what)\nYa, ya grill ya, ya, ya grill\n(Rob da jewelry store and tell 'em make me a grill)\nSmile fo me daddy\n(What you lookin at)\nI want to see your grill\n(You wanna see my what)\nYa, ya grill ya, ya, ya grill\n(Had a whole top diamonds and da bottom Row's gold)\n \n[Paul Wall]\nWhat it do baby\nIt's da ice man Paul Wall\nI got my mouth lookin somethin like a disco ball\nI got da diamonds and da ice all hand set\nI might cause a cold front if I take a deep breath\nMy teeth gleaming like I'm chewin on aluminum foil\nSmilein showin off my diamonds sippin on some potin oil\nI put my money where my mouth is and bought a grill\n20 carrots 30 stacks let 'em know im so fo real\nMy motivation is from 30 pointers V VS the furniture my mouth\nPiece simply symbolize success\nI got da wrist wear and neck wear dats captivatin\nBut it's my smile dats got these on-lookers spectatin\nMy mouth piece simply certified a total package\nOpen up my mouth and you see mo carrots than a salad\nMy teeth are mind blowin givin everybody chillz\nCall me George Foreman cuz I'm sellin everybody grillz\n \n[Chorus:]\nSmile fo me daddy\n(What you lookin at)\nLet me see ya grill\n(Let you see my what)\nYa, ya grill ya, ya, ya grill\n(Rob da jewelry store and tell 'em make me a grill)\nSmile fo me daddy\n(What you lookin at)\nI want to see your grill\n(You wanna see my what)\nYa, ya grill ya, ya, ya grill\n(Had a whole top diamonds and da bottom Row's gold\n \n[Gipp]\nGipp got dem yellows, got dem purples, got dem reds\nLights gon hit ya and make you woozie in ya head\nYou can catch me in my 2 short drop\nMouth got colors like a fruit loop box\n\n[Ali]\nDis what it do when da lou\nIce grill Country Grammar\nWhere da hustlas move bricks\nand da gangsta's bang hamma's\nWhere I got em you can spot them\nOn da top in da bottom\nGotta bill in my mouth like im Hillary Rodham\n\n[Gipp]\nI ain't dissin no body but lets bring it to da lite\nGipp was da first wit my mouth bright white\nYeah deez hos can't focus cuz they eyesight blurry\nTippin on some 4's you can see my mouth jewelry\n\n[Ali]\nI got fo different sets its a fabolous thang\n1 white, 1 yellow, like Fabolous chain\nand da otha set is same got my name in da mold\n\n(Had a whole top diamonds and da bottom Row's gold)\n \n[Chorus:]\nSmile fo me daddy\n(What you lookin at)\nLet me see ya grill\n(Let you see my what)\nYa, ya grill ya, ya, ya grill\n(Rob da jewelry store and tell 'em make me a grill)\nSmile fo me daddy\n(What you lookin at)\nI want to see your grill\n(You wanna see my what)\nYa, ya grill ya, ya, ya grill\n(Had a whole top diamonds and da bottom Row's gold)\n\n[Woman]\nBoy how you get grill that way and\nH
1,254
What Are The Lyrics For Grillz?I love this song and I was wondering if someone could tell me the lyrics to it?Here are your lyrics. Thanks for aswerning my question.\n\nRob the jewelry store and tell 'em make me a grill.\n\nAdd da whole top diamond and the bottom Row's gold.\n\n[J.D.]\nYo we bout to start a epidemic wit dis one\nYa'll know what dis is... So So Def\n\n[Nelly]\nGot 30 down at the bottom, 30 mo at the top\nAll invisible set in little ice cube blocks\nIf I could call it a drink, call it a smile on da rocks\nIf I could call out a price, let's say I call out a lot\nI got like platinum and white gold, traditional gold\nI'm changin grillz errday, like Jay change clothes,\nI might be grilled out nicely (oh) In my white tee (oh),\nOn South beach (oh) in my wife beat.\nV V and studded you can tell when they cut it\nYa see my granmama hate it, but my lil mama love it\nCuz when I...\n\n[Woman]\nOpen up ya mouth, ya grill gleamin (say what)\nEyes stay low from da cheifin'\n\n[Nelly]\nI got a grill I call penny candy you know what that means,\nIt look like Now n Laters, gum drops, jelly and beans\nI wouldn't leave it for nothin only a crazy man would\nSo if you catch me in ya city, somewhere out in ya hood just say\n\n[Chorus:]\nSmile fo me daddy\n(What you lookin at)\nLet me see ya grill\n(Let you see my what)\nYa, ya grill ya, ya, ya grill\n(Rob da jewelry store and tell 'em make me a grill)\nSmile fo me daddy\n(What you lookin at)\nI want to see your grill\n(You wanna see my what)\nYa, ya grill ya, ya, ya grill\n(Had a whole top diamonds and da bottom Row's gold)\n \n[Paul Wall]\nWhat it do baby\nIt's da ice man Paul Wall\nI got my mouth lookin somethin like a disco ball\nI got da diamonds and da ice all hand set\nI might cause a cold front if I take a deep breath\nMy teeth gleaming like I'm chewin on aluminum foil\nSmilein showin off my diamonds sippin on some potin oil\nI put my money where my mouth is and bought a grill\n20 carrots 30 stacks let 'em know im so fo real\nMy motivation is from 30 pointers V VS the furniture my mouth\nPiece simply symbolize success\nI got da wrist wear and neck wear dats captivatin\nBut it's my smile dats got these on-lookers spectatin\nMy mouth piece simply certified a total package\nOpen up my mouth and you see mo carrots than a salad\nMy teeth are mind blowin givin everybody chillz\nCall me George Foreman cuz I'm sellin everybody grillz\n \n[Chorus:]\nSmile fo me daddy\n(What you lookin at)\nLet me see ya grill\n(Let you see my what)\nYa, ya grill ya, ya, ya grill\n(Rob da jewelry store and tell 'em make me a grill)\nSmile fo me daddy\n(What you lookin at)\nI want to see your grill\n(You wanna see my what)\nYa, ya grill ya, ya, ya grill\n(Had a whole top diamonds and da bottom Row's gold\n \n[Gipp]\nGipp got dem yellows, got dem purples, got dem reds\nLights gon hit ya and make you woozie in ya head\nYou can catch me in my 2 short drop\nMouth got colors like a fruit loop box\n\n[Ali]\nDis what it do when da lou\nIce grill Country Grammar\nWhere da hustlas move bricks\nand da gangsta's bang hamma's\nWhere I got em you can spot them\nOn da top in da bottom\nGotta bill in my mouth like im Hillary Rodham\n\n[Gipp]\nI ain't dissin no body but lets bring it to da lite\nGipp was da first wit my mouth bright white\nYeah deez hos can't focus cuz they eyesight blurry\nTippin on some 4's you can see my mouth jewelry\n\n[Ali]\nI got fo different sets its a fabolous thang\n1 white, 1 yellow, like Fabolous chain\nand da otha set is same got my name in da mold\n\n(Had a whole top diamonds and da bottom Row's gold)\n \n[Chorus:]\nSmile fo me daddy\n(What you lookin at)\nLet me see ya grill\n(Let you see my what)\nYa, ya grill ya, ya, ya grill\n(Rob da jewelry store and tell 'em make me a grill)\nSmile fo me daddy\n(What you lookin at)\nI want to see your grill\n(You wanna see my what)\nYa, ya grill ya, ya, ya grill\n(Had a whole top diamonds and da bottom Row's gold)\n\n[Woman]\nBoy how you get grill that way and\nH
Entertainment & Music
161,874
2Health
"Adrenal Fatigue"?
Real and Treatable, or ambiguous such as "Nervous Exhaustion"?
If you mean Real and Treatable in the traditional sense of \n\ntraditional allopathic medicine, with AMA certified diagnostic\n\ncriteria, and approved and study-verified medicines for treatment,\n\nthen no, it's not.\n\n\n\nThe condition is a syndrome, much like the example of "nervous\n\nexhaustion" which you mentioned. This means it's a collection\n\nof symptoms which, when added up, point to the condition being\n\npresent.\n\n\n\nThis syndrome was popularized by the publication of the book,\n\nAdrenal Fatigue: The 21st Century Stress Syndrome by Dr. James\n\nL. Wilson. Smart Publications, 2001.\n\n\n\nOn Dr. Wilson's website he notes:\n\n\n\n"Despite its prevalence in our modern world, Adrenal Fatigue has\n\n generally been ignored and untreated by the medical community."\n\nhttp://www.adrenalfatigue.org/\n\n\n\nA self-test based on the collection of symptoms which point\n\nto the syndrome is on his site.\n\n\n\nA telling fact is that this pioneering 'expert' on the syndrome\n\nkeeps referring people to buy his book for the full picture:\n\n\n\n"To find out for sure, consult the book Adrenal Fatigue: \n\n The 21st Century Stress Syndrome by Dr. James Wilson."\n\nhttp://www.adrenalfatigue.org/doi.php\n\n\n\nHe does the same with the question "Can people with Adrenal\n\nFatigue ever fully recover?":\n\n\n\n"Yes, with proper treatment most people can fully recover\n\n from Adrenal Fatigue. For detailed information about how\n\n you can support your adrenal glands, protect yourself from\n\n stress and recover from Adrenal Fatigue see Dr. James\n\n Wilson's book Adrenal Fatigue: The 21st Century Stress\n\n Syndrome and check out Programs for Adrenal Recovery on\n\n this website."\n\nhttp://www.adrenalfatigue.org/canrecover.php\n\n\n\nAnd again, in the Programs for Adrenal Recovery, which are\n\nonly partially available on his website. For example:\n\n\n\n"If you scored between 89-132 (women) or 88-130 (men) on\n\n the Adrenal Fatigue questionnaire (p.61, Dr. Wilson's\n\n book) take the dietary supplements below in addition to\n\n following the exercises and lifestyle recommendations\n\n given in the book."\n\nhttp://www.adrenalfatigue.org/programmoderate.php\n\n\n\nAnd the last clue is in the supplements which he "prescribes"\n\nto treat the syndrome, which are also sold from his website,\n\nand were formulated by him. There's also the fact that they\n\nare not medicines, but herbal and nutritional dietary \n\nsupplements which must include the typical FDA disclaimer:\n\n\n\n"The information provided in this site is not a substitute\n\n for professional medical opinion. It is provided for\n\n informational and educational purposes only.\n\n\n\n Adrenalfatigue.org and any parties or people associated\n\n with it are not making any medical claims on this site.\n\n All references to possible benefits to be derived from\n\n consuming the products discussed on this website are\n\n purely for informational purposes and no medical claims\n\n are made or maintained. These products are sold purely\n\n as dietary supplements."\n\nhttp://www.adrenalfatigue.org/disclaimer.php\n\n\n\n\n\nNevertheless, the syndrome has been widely adopted by a\n\nnumber of practitioners in the field of alternative medicine,\n\nsuch as naturopaths, and is also being promoted by those who\n\nmake their living selling supplements, such as this page from\n\nThe Compunder website:\n\nhttp://www.thecompounder.com/AdrenalProtocolMead.html\n\n\n\n\n\nBut, don't get me wrong, I'm not saying that this is a mythical\n\ncondition made up by naturalists who want to sell you products,\n\neven if that seems to be the case in some situations.\n\n\n\nChronic Fatigue Syndrome was another such syndrome that was\n\nwidely recognized by practioners of altenative therapies long\n\nbefore medical doctors began to give it serious consideration,\n\nand alternative
1,127
"Adrenal Fatigue"?Real and Treatable, or ambiguous such as "Nervous Exhaustion"?If you mean Real and Treatable in the traditional sense of \n\ntraditional allopathic medicine, with AMA certified diagnostic\n\ncriteria, and approved and study-verified medicines for treatment,\n\nthen no, it's not.\n\n\n\nThe condition is a syndrome, much like the example of "nervous\n\nexhaustion" which you mentioned. This means it's a collection\n\nof symptoms which, when added up, point to the condition being\n\npresent.\n\n\n\nThis syndrome was popularized by the publication of the book,\n\nAdrenal Fatigue: The 21st Century Stress Syndrome by Dr. James\n\nL. Wilson. Smart Publications, 2001.\n\n\n\nOn Dr. Wilson's website he notes:\n\n\n\n"Despite its prevalence in our modern world, Adrenal Fatigue has\n\n generally been ignored and untreated by the medical community."\n\nhttp://www.adrenalfatigue.org/\n\n\n\nA self-test based on the collection of symptoms which point\n\nto the syndrome is on his site.\n\n\n\nA telling fact is that this pioneering 'expert' on the syndrome\n\nkeeps referring people to buy his book for the full picture:\n\n\n\n"To find out for sure, consult the book Adrenal Fatigue: \n\n The 21st Century Stress Syndrome by Dr. James Wilson."\n\nhttp://www.adrenalfatigue.org/doi.php\n\n\n\nHe does the same with the question "Can people with Adrenal\n\nFatigue ever fully recover?":\n\n\n\n"Yes, with proper treatment most people can fully recover\n\n from Adrenal Fatigue. For detailed information about how\n\n you can support your adrenal glands, protect yourself from\n\n stress and recover from Adrenal Fatigue see Dr. James\n\n Wilson's book Adrenal Fatigue: The 21st Century Stress\n\n Syndrome and check out Programs for Adrenal Recovery on\n\n this website."\n\nhttp://www.adrenalfatigue.org/canrecover.php\n\n\n\nAnd again, in the Programs for Adrenal Recovery, which are\n\nonly partially available on his website. For example:\n\n\n\n"If you scored between 89-132 (women) or 88-130 (men) on\n\n the Adrenal Fatigue questionnaire (p.61, Dr. Wilson's\n\n book) take the dietary supplements below in addition to\n\n following the exercises and lifestyle recommendations\n\n given in the book."\n\nhttp://www.adrenalfatigue.org/programmoderate.php\n\n\n\nAnd the last clue is in the supplements which he "prescribes"\n\nto treat the syndrome, which are also sold from his website,\n\nand were formulated by him. There's also the fact that they\n\nare not medicines, but herbal and nutritional dietary \n\nsupplements which must include the typical FDA disclaimer:\n\n\n\n"The information provided in this site is not a substitute\n\n for professional medical opinion. It is provided for\n\n informational and educational purposes only.\n\n\n\n Adrenalfatigue.org and any parties or people associated\n\n with it are not making any medical claims on this site.\n\n All references to possible benefits to be derived from\n\n consuming the products discussed on this website are\n\n purely for informational purposes and no medical claims\n\n are made or maintained. These products are sold purely\n\n as dietary supplements."\n\nhttp://www.adrenalfatigue.org/disclaimer.php\n\n\n\n\n\nNevertheless, the syndrome has been widely adopted by a\n\nnumber of practitioners in the field of alternative medicine,\n\nsuch as naturopaths, and is also being promoted by those who\n\nmake their living selling supplements, such as this page from\n\nThe Compunder website:\n\nhttp://www.thecompounder.com/AdrenalProtocolMead.html\n\n\n\n\n\nBut, don't get me wrong, I'm not saying that this is a mythical\n\ncondition made up by naturalists who want to sell you products,\n\neven if that seems to be the case in some situations.\n\n\n\nChronic Fatigue Syndrome was another such syndrome that was\n\nwidely recognized by practioners of altenative therapies long\n\nbefore medical doctors began to give it serious consideration,\n\nand alternative
Health
164,930
4Computers & Internet
I have an Actiontec 1524 DSL Modem/Router. I want to add wireless to my network.?
I have heard that adding a wireless router wouldn't be a good idea since two routers on the same network is supposed to cause problems. Is that true? What would be the best way to add WiFi to my network? (I like the wired connections I have for our desktops.) I'd like to be able to use my Nintendo DS' WiFi connection for Mario Kart DS.\n\nMy Wife's computer is a 500mHz Celeron running Win98SE, and I'm running a Classic Amiga 4000 with an X-Surf II hooked up to the DSL connection. under OS 3.9
Yes the best wireless router you can use is Linksys WRT54G in this case you have a modem cum router so you will have an internal ip of 192.168.1.1 or 192.168.0.1 something like that ,check that and follow the list. Please follow the list\n\n \nPlease follow these directions to setup your Broadband modem:\n\nConnecting your Broadband Modem to the Router\n\n1. First connect directly to your Broadband Modem without the router and verify that you can get on line.\n\n2. Once you've verified that you can get onto the internet without the router please proceed. If you can not please contact your ISP for further assistance.\n\n3. Now unplug the Ethernet cable that connects to your Broadband Modem from the back of your computer.\n\n4. Take the connection that you just unplugged from the back of your computer and connect it to the WAN port of the router.\n\n5. Take a different Ethernet cable and plug it into port closest to the WAN port, or into the LAN port.\n\n6. Look on the front of the router. The following lights should be illuminated:\n\n- Power\n\n- WAN Link\n\n- Link/Act (On the port that you connected your computer to)\n\n- Note If other lights other than Link/Act are illuminated on this port, that is normal\n\n- You may have a few other lights illuminated depending on the model number router you have, but the 3 above must be illuminated for proper connection.\n\n7. Hold the Reset button on the router for 30 seconds or more\n\n8. Restart your computer\n\nConfiguring the Router\n\n1. Go to your desktop and double click on Internet Explorer (Located on the Start Menu in Windows XP)\n\n2. When "Internet Explorer" opens type http://192.168.1.1 into the "Address" bar and click on Go\n\n3. The "Enter Network Password" window will appear.\n\n4. Skip user name and type admin (admin is the default password) as the password, and click OK\n\n5. Change the LAN IP address from 192.168.1.1 to 192.168.0.1**\n\n6. Click Apply\n\n**NOTE: Once you click apply you will no longer access the router via http://192.168.1.1, but http://192.168.0.1\n\nFinishing the Setup\n\n1. Shut down your PC.\n\n2. Unplug the power from the back of the router.\n\n3. Unplug the power from the modem.\n\n4. Wait for 30 second.\n\n5. Power up the modem.\n\n6. Wait for the lights to stop blinking.\n\n7. Power up the router.\n\n8. Start up your computer.\n\n9. Surf the internet.\n \n \n\nNow to setup wireless\n\nTypically most non-Linksys branded wireless adapters have their own built-in Configuration utilities. If unsure on how to use them, please see the Wireless Adapters documentation or contact the Manufacturer of the Wireless Adapter. If Windows XP is being used, then the Wireless Adapter may use Windows XP’s built-in configuration utility, which would be the same configuration as Linksys products under Windows XP. If this is the case, try the following instructions:\n\nClick on the Start button and click on the Run option. \nWhen the “Run” window opens, type ncpa.cpl into the “Open” field and click on the OK button. \nWhen the “Network Connections” window opens, right click on the Wireless Network Connection icon and click on the View Available Wireless Networks option. \nClick on the SSID that the Wireless Network is using (linksys is the default SSID on all Linksys Wireless products). \nAfter clicking on the SSID of the Wireless Network, there will be either a check box stating, Allow me to connect to the selected network, even though it is not secure, or “Network Key” and “Confirm network key” fields. \nIf there is a check box, check it, then click on the Connect button \nIf there are “Network Key” and “Confirm network key” fields, then input the Wireless Networks WEP Key, then click the Connect button. \nAfter clicking the “Connect
1,169
I have an Actiontec 1524 DSL Modem/Router. I want to add wireless to my network.?I have heard that adding a wireless router wouldn't be a good idea since two routers on the same network is supposed to cause problems. Is that true? What would be the best way to add WiFi to my network? (I like the wired connections I have for our desktops.) I'd like to be able to use my Nintendo DS' WiFi connection for Mario Kart DS.\n\nMy Wife's computer is a 500mHz Celeron running Win98SE, and I'm running a Classic Amiga 4000 with an X-Surf II hooked up to the DSL connection. under OS 3.9Yes the best wireless router you can use is Linksys WRT54G in this case you have a modem cum router so you will have an internal ip of 192.168.1.1 or 192.168.0.1 something like that ,check that and follow the list. Please follow the list\n\n \nPlease follow these directions to setup your Broadband modem:\n\nConnecting your Broadband Modem to the Router\n\n1. First connect directly to your Broadband Modem without the router and verify that you can get on line.\n\n2. Once you've verified that you can get onto the internet without the router please proceed. If you can not please contact your ISP for further assistance.\n\n3. Now unplug the Ethernet cable that connects to your Broadband Modem from the back of your computer.\n\n4. Take the connection that you just unplugged from the back of your computer and connect it to the WAN port of the router.\n\n5. Take a different Ethernet cable and plug it into port closest to the WAN port, or into the LAN port.\n\n6. Look on the front of the router. The following lights should be illuminated:\n\n- Power\n\n- WAN Link\n\n- Link/Act (On the port that you connected your computer to)\n\n- Note If other lights other than Link/Act are illuminated on this port, that is normal\n\n- You may have a few other lights illuminated depending on the model number router you have, but the 3 above must be illuminated for proper connection.\n\n7. Hold the Reset button on the router for 30 seconds or more\n\n8. Restart your computer\n\nConfiguring the Router\n\n1. Go to your desktop and double click on Internet Explorer (Located on the Start Menu in Windows XP)\n\n2. When "Internet Explorer" opens type http://192.168.1.1 into the "Address" bar and click on Go\n\n3. The "Enter Network Password" window will appear.\n\n4. Skip user name and type admin (admin is the default password) as the password, and click OK\n\n5. Change the LAN IP address from 192.168.1.1 to 192.168.0.1**\n\n6. Click Apply\n\n**NOTE: Once you click apply you will no longer access the router via http://192.168.1.1, but http://192.168.0.1\n\nFinishing the Setup\n\n1. Shut down your PC.\n\n2. Unplug the power from the back of the router.\n\n3. Unplug the power from the modem.\n\n4. Wait for 30 second.\n\n5. Power up the modem.\n\n6. Wait for the lights to stop blinking.\n\n7. Power up the router.\n\n8. Start up your computer.\n\n9. Surf the internet.\n \n \n\nNow to setup wireless\n\nTypically most non-Linksys branded wireless adapters have their own built-in Configuration utilities. If unsure on how to use them, please see the Wireless Adapters documentation or contact the Manufacturer of the Wireless Adapter. If Windows XP is being used, then the Wireless Adapter may use Windows XP’s built-in configuration utility, which would be the same configuration as Linksys products under Windows XP. If this is the case, try the following instructions:\n\nClick on the Start button and click on the Run option. \nWhen the “Run” window opens, type ncpa.cpl into the “Open” field and click on the OK button. \nWhen the “Network Connections” window opens, right click on the Wireless Network Connection icon and click on the View Available Wireless Networks option. \nClick on the SSID that the Wireless Network is using (linksys is the default SSID on all Linksys Wireless products). \nAfter clicking on the SSID of the Wireless Network, there will be either a check box stating, Allow me to connect to the selected network, even though it is not secure, or “Network Key” and “Confirm network key” fields. \nIf there is a check box, check it, then click on the Connect button \nIf there are “Network Key” and “Confirm network key” fields, then input the Wireless Networks WEP Key, then click the Connect button. \nAfter clicking the “Connect
Computers & Internet
165,247
3Education & Reference
what is opposite of opposite?
Main Entry: opposite\nPart of Speech: adjective\nDefinition: unlike\nSynonyms: adverse, antagonistic, antipodal, antipodean, antithetical, conflicting, contradictory, contrapositive, contrary, contrasted, corresponding, counter, crosswise, diametric, diametrically opposed, different, differing, dissimilar, diverse, facing, flip side, hostile, inconsistent, independent, inimical, inverse, irreconcilable, obverse, opposed, ornery, paradoxical, polar, repugnant, retrograde, reverse, separate, unalike, unconnected, unrelated, unsimilar, violative, vis-a-vis\nAntonyms: identical, like, same\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: opposite\nPart of Speech: noun\nDefinition: unlikeness\nSynonyms: adverse, antilogy, antipode, antipole, antithesis, antonym, contra, contradiction, contrary, contrast, converse, counterpart, foil, inverse, obverse, opposition, other extreme, other side, paradox, reverse, vice versa\nAntonyms: alikeness, sameness\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: about\nPart of Speech: adverb 4\nDefinition: reverse\nSynonyms: around, back, backward, backwards, in reverse, opposite direction, reverse, round\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: abreast\nPart of Speech: adverb 1\nDefinition: alongside\nSynonyms: beside, equal, in line, level, next to, off, opposite\nAntonyms: single file\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: across\nPart of Speech: adjective\nDefinition: traversing\nSynonyms: beyond, cross, crossed, crosswise, opposite, over, transversely\nAntonyms: uncrossed\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: adverse\nPart of Speech: adjective\nDefinition: unfavorable\nSynonyms: allergic to, conflicting, contrary, detrimental, disadvantageous, down on, down side, inimical, injurious, inopportune, negative, opposed, opposing, opposite, oppugnant, ornery, reluctant, repugnant, stuffy, unfortunate, unfriendly, unlucky, unpropitious, unwilling\nAntonyms: advantageous, aiding, beneficial, favorable, fortunate, helpful, positive\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: antagonist\nPart of Speech: noun\nDefinition: problem\nSynonyms: adversary, angries, bad guy, bandit, competitor, contender, crip, enemy, foe, match, meat, opponent, opposer, opposite number, oppugnant, rival\nAntonyms: advocate, colleague, friend, supporter\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: beside\nPart of Speech: adverb\nDefinition: next to\nSynonyms: abreast of, adjacent to, adjoining, alongside, aside, bordering on, by, close to, close upon, connected with, contiguous to, ferninst, fornent, in juxtaposition, near, nearby, neck-and-neck, neighboring, nigh, opposite, overlooking, round, verging on, with\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: contradiction\nPart of Speech: noun\nDefinition: variance\nSynonyms: bucking, conflict, confutation, contravention, defiance, denial, difference, disagreement, discrepancy, dispute, dissension, gainsaying, incongruity, inconsistency, negation, opposite, opposition\nAntonyms: agreement, corresponden
1,168
what is opposite of opposite?Main Entry: opposite\nPart of Speech: adjective\nDefinition: unlike\nSynonyms: adverse, antagonistic, antipodal, antipodean, antithetical, conflicting, contradictory, contrapositive, contrary, contrasted, corresponding, counter, crosswise, diametric, diametrically opposed, different, differing, dissimilar, diverse, facing, flip side, hostile, inconsistent, independent, inimical, inverse, irreconcilable, obverse, opposed, ornery, paradoxical, polar, repugnant, retrograde, reverse, separate, unalike, unconnected, unrelated, unsimilar, violative, vis-a-vis\nAntonyms: identical, like, same\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: opposite\nPart of Speech: noun\nDefinition: unlikeness\nSynonyms: adverse, antilogy, antipode, antipole, antithesis, antonym, contra, contradiction, contrary, contrast, converse, counterpart, foil, inverse, obverse, opposition, other extreme, other side, paradox, reverse, vice versa\nAntonyms: alikeness, sameness\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: about\nPart of Speech: adverb 4\nDefinition: reverse\nSynonyms: around, back, backward, backwards, in reverse, opposite direction, reverse, round\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: abreast\nPart of Speech: adverb 1\nDefinition: alongside\nSynonyms: beside, equal, in line, level, next to, off, opposite\nAntonyms: single file\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: across\nPart of Speech: adjective\nDefinition: traversing\nSynonyms: beyond, cross, crossed, crosswise, opposite, over, transversely\nAntonyms: uncrossed\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: adverse\nPart of Speech: adjective\nDefinition: unfavorable\nSynonyms: allergic to, conflicting, contrary, detrimental, disadvantageous, down on, down side, inimical, injurious, inopportune, negative, opposed, opposing, opposite, oppugnant, ornery, reluctant, repugnant, stuffy, unfortunate, unfriendly, unlucky, unpropitious, unwilling\nAntonyms: advantageous, aiding, beneficial, favorable, fortunate, helpful, positive\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: antagonist\nPart of Speech: noun\nDefinition: problem\nSynonyms: adversary, angries, bad guy, bandit, competitor, contender, crip, enemy, foe, match, meat, opponent, opposer, opposite number, oppugnant, rival\nAntonyms: advocate, colleague, friend, supporter\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: beside\nPart of Speech: adverb\nDefinition: next to\nSynonyms: abreast of, adjacent to, adjoining, alongside, aside, bordering on, by, close to, close upon, connected with, contiguous to, ferninst, fornent, in juxtaposition, near, nearby, neck-and-neck, neighboring, nigh, opposite, overlooking, round, verging on, with\nSource: Roget's New Millennium™ Thesaurus, First Edition (v 1.1.1)\nCopyright © 2006 by Lexico Publishing Group, LLC. All rights reserved.\n\nMain Entry: contradiction\nPart of Speech: noun\nDefinition: variance\nSynonyms: bucking, conflict, confutation, contravention, defiance, denial, difference, disagreement, discrepancy, dispute, dissension, gainsaying, incongruity, inconsistency, negation, opposite, opposition\nAntonyms: agreement, corresponden
Education & Reference
165,368
1Science & Mathematics
i need help solving these math problems'' im confused ''?
write the equation y=1/2x+5 in standard form.\n\nwhat line is parallel to y=1/4x+2?\n\nif y varies directly as x and y=2/3when x1/2,find an equation of direct variation.\n\nwhich line contains the point (0,2)amd is perpendicular to y=1/4x+2?\n\nwhich point is on the graph of the equation 3x+6y=27?\n\nan equation for the line that contains (2,4) and has an undefined slope is?\n\nan equation for the line that crosses the x-axis at x=-1 and the y axis at y=3 is?
LET US SEE:\n\n1. y = (1/2)x + 5. This is an equation in standard form.\nIt is called slope-intercept form. If you mean general form\nthen:\n\ny = (1/2)x + 5\n\nMultiply by 2:\n2y = x + 10\n\n0 = x - 2y + 10\n\nx - 2y + 10 = 0 ANSWER\n\n=======================\n2. Line parallel to y = (1/4)x + 2:\n\nAny line parallel to y = (1/4)x + 2 has the equation:\ny = mx + b ===> Equation of line\nwhere:\nm = slope = same as slope of given parallel line = 1/4\n\ny = (1/4)x + b ANSWER (equation of parallel lines)\n\nex:\na) y = (1/4)x + 0\nb) y = (1/4)x + 1\nc) y = (1/4)x + 3\nd) y = (1/4)x + 4\nd) y = (1/4)x - 1\ne) y = (1/4)x - 2\n.\n.\n.\n\n=======================\n\n3. y varies directly as x ; y = 2/3 and x = 1/2.\n\ny = kx (direct variation equation) where:\nk = constant of variation\n\nif y = 2/3 and x = 1/2:\n\ny = kx\n2/3 = k(1/2)\nk = (2/3)/(1/2)\nk = (2/3)(2/1)\nk = 4/3\n\nTherefore:\n\ny = (4/3)x ANSWER\n\n=======================\n4. Line passing thru (0,2) and perpendicular to \ny = (1/4)x + 2\n\nLet m = slope = -4 = negative reciprocal to slope\nof perpendicular line.\n\ny = mx + b ==> slope-intercept form, where:\n\nm = slope\nb = y-intercept\n\nSolving for b, use point (0,2)\n\ny = mx + b\n2 = -4(0) + b\n2 = 0 + b\nb = 2\n\nTherefore, equation is:\n\ny = -4x + 2 ANSWER\n\n=======================\n\n5) Point(s) that lie on the graph of the equation \n\n3x + 6y = 27.\n\nThese are points that will make the left side of \nthe equation equal to 27.\n\nEX. ...;(-5,7)(-3,6)(-1,5);(1,4);(3,3);(5,2);(7,1);...\n\n=============================\n6. Equation of the line that contains (2,4) and undefined slope.\n\nA line that has an undefined slope is a vertical line. So,\na vertical line that contains (2,4) has the equation:\n\nx = 2 same as the x-coordinate of the given point.\n\n===========================\n\n7. Equation of the line that passes thru the x-axis \nat x = -1 and y-axis at y = 3.\n\nFrom the given intercepts, the two points are (-1,0)\nand (0,3)\n\nTherefore:\n\ny = mx + b ===> equation in slope intercept form.\nwhere:\nm = slope = (3-0)/(0--1) = 3/1 = 3\nb = y-intercept from point (0,3) = 3\n\nTherefore:\n\ny = mx + b\n\ny = 3x + 3 ANSWER.
1,052
i need help solving these math problems'' im confused ''?write the equation y=1/2x+5 in standard form.\n\nwhat line is parallel to y=1/4x+2?\n\nif y varies directly as x and y=2/3when x1/2,find an equation of direct variation.\n\nwhich line contains the point (0,2)amd is perpendicular to y=1/4x+2?\n\nwhich point is on the graph of the equation 3x+6y=27?\n\nan equation for the line that contains (2,4) and has an undefined slope is?\n\nan equation for the line that crosses the x-axis at x=-1 and the y axis at y=3 is?LET US SEE:\n\n1. y = (1/2)x + 5. This is an equation in standard form.\nIt is called slope-intercept form. If you mean general form\nthen:\n\ny = (1/2)x + 5\n\nMultiply by 2:\n2y = x + 10\n\n0 = x - 2y + 10\n\nx - 2y + 10 = 0 ANSWER\n\n=======================\n2. Line parallel to y = (1/4)x + 2:\n\nAny line parallel to y = (1/4)x + 2 has the equation:\ny = mx + b ===> Equation of line\nwhere:\nm = slope = same as slope of given parallel line = 1/4\n\ny = (1/4)x + b ANSWER (equation of parallel lines)\n\nex:\na) y = (1/4)x + 0\nb) y = (1/4)x + 1\nc) y = (1/4)x + 3\nd) y = (1/4)x + 4\nd) y = (1/4)x - 1\ne) y = (1/4)x - 2\n.\n.\n.\n\n=======================\n\n3. y varies directly as x ; y = 2/3 and x = 1/2.\n\ny = kx (direct variation equation) where:\nk = constant of variation\n\nif y = 2/3 and x = 1/2:\n\ny = kx\n2/3 = k(1/2)\nk = (2/3)/(1/2)\nk = (2/3)(2/1)\nk = 4/3\n\nTherefore:\n\ny = (4/3)x ANSWER\n\n=======================\n4. Line passing thru (0,2) and perpendicular to \ny = (1/4)x + 2\n\nLet m = slope = -4 = negative reciprocal to slope\nof perpendicular line.\n\ny = mx + b ==> slope-intercept form, where:\n\nm = slope\nb = y-intercept\n\nSolving for b, use point (0,2)\n\ny = mx + b\n2 = -4(0) + b\n2 = 0 + b\nb = 2\n\nTherefore, equation is:\n\ny = -4x + 2 ANSWER\n\n=======================\n\n5) Point(s) that lie on the graph of the equation \n\n3x + 6y = 27.\n\nThese are points that will make the left side of \nthe equation equal to 27.\n\nEX. ...;(-5,7)(-3,6)(-1,5);(1,4);(3,3);(5,2);(7,1);...\n\n=============================\n6. Equation of the line that contains (2,4) and undefined slope.\n\nA line that has an undefined slope is a vertical line. So,\na vertical line that contains (2,4) has the equation:\n\nx = 2 same as the x-coordinate of the given point.\n\n===========================\n\n7. Equation of the line that passes thru the x-axis \nat x = -1 and y-axis at y = 3.\n\nFrom the given intercepts, the two points are (-1,0)\nand (0,3)\n\nTherefore:\n\ny = mx + b ===> equation in slope intercept form.\nwhere:\nm = slope = (3-0)/(0--1) = 3/1 = 3\nb = y-intercept from point (0,3) = 3\n\nTherefore:\n\ny = mx + b\n\ny = 3x + 3 ANSWER.
Science & Mathematics
165,423
2Health
Balance problems while driving?
I have had an ongoing problem while driving. When driving on a road\n\nthat curves to the right, I feel like am an going to lose my balance\n\nand fall over.\n\nIt only occurs when the road curves to the right. I have seen a\n\nneurologist and had an MRI and other tests. He thought it might be\n\nsome kind of positional vertigo and gave recommended a treatment\n\ncalled epply maneuver (sp).\n\nI have had this done twice and it did not help. Not sure where to go\n\nnow and any help would be appreciated.
It appears your doctor thinks you have a form of vertigo, and the Eppley maneuver is one of several treatments for the condition. \nDrugs such as Antivert or Librium are also prescribed, as well as surgery and even exercise!\n\n“Vestibular rehabilitation therapy is designed by a physical therapist under the direction of a physician. In most cases, patients visit the therapist on a limited basis and perform custom-designed exercises at home, several times a day. As the patient progresses, difficulty of the exercises increases until the highest level of balance is attained during head movement, eye movement (i.e., tracking with the eyes), and walking.\n\nMedication \n\nEar infections (e.g., otitis media, labyrinthitis) caused by bacteria may be treated using antibiotics (e.g., amoxicillin, ceftriaxone).\nMyringotomy is a surgical procedure that may be used to treat chronic ear infections. In this procedure, which is performed under anesthesia, an incision is made in the eardrum and a small tube is placed in the opening to prevent fluid and bacteria from building up inside the ear.\n\nBenign paroxysmal positional vertigo may be treated with meclizine (Antivert®), an oral antiemetic that can be taken up to 3 times a day, or only as needed. Meclizine may cause drowsiness, dry mouth, and blurred vision.”\nhttp://www.neurologychannel.com/vertigo/treatment.shtml\n\n“The most reliable treatment for BPPV is a fairly simple, non-surgical procedure called canalith repositioning.12 This is done by changing the patient's head and body position in a series of steps that are thought to dislodge the calcium crystals within the vestibular labyrinth that caused the problem.\n\nCanalith repositioning is usually done under expert supervision, but it is easy enough that doctors often teach it to BPPV sufferers and their families.\n\nMany doctors also prescribe drugs called vestibular suppressants.\nBecause of unwanted side effects, such as lethargy and impaired balance, they are given sparingly and only for more severe and long-lasting attacks. The elderly are particularly sensitive to these side effects.\n\nAnother concern about these drugs is that they may slow or prevent the central nervous system from adjusting to a problem in the vestibular system. While vetibular suppressants often help lessen symptoms, especially in the short term, surgery is the ultimate answer for the unlucky few with severe BPPV-related vertigo that does not respond to the canalith repositioning procedure.”\nhttp://www.thedoctorwillseeyounow.com/articles/behavior/vertigo_9/\n\n“Loss of balance control\n “In a normal healthy individual our senses of touch (feet, ankles, joints), sight (eyes) and inner ear motion sensors work together in harmony with the brain. A person with a balance disorder, however, may have a problem in any one of these systems, or in multiple systems. In\nsome individuals, one or more of the senses are missing and the person does not realize they are losing their balance. In other people, the brain gets confused and creates an inaccurate sense of falling when in fact the person is in balance. The risk of developing one or more of\nthese problems increases with age as our senses or brain centers are exposed to degenerative or infectious diseases, or the effects of injuries accumulated over a lifetime.\n\nSome individuals experiencing balance problems have an obvious medical diagnosis such as diabetes, Parkinson's disease, or even a stroke that are primary sources of the problem. In other individuals with balance difficulties, the cause can even be subtle undetected forms of these\ndiseases. However, diseases are not the only reason our senses and movements may be compromised. A history of injuries, such as concussions, ear infections, or serious sprains or fractures, may contribute to a loss of balance control over time.”\nhttp://www.onbalance.com/patient_info/balanceControl.aspx\n\n\nBenign paroxysmal positional vertigo\n====
1,043
Balance problems while driving?I have had an ongoing problem while driving. When driving on a road\n\nthat curves to the right, I feel like am an going to lose my balance\n\nand fall over.\n\nIt only occurs when the road curves to the right. I have seen a\n\nneurologist and had an MRI and other tests. He thought it might be\n\nsome kind of positional vertigo and gave recommended a treatment\n\ncalled epply maneuver (sp).\n\nI have had this done twice and it did not help. Not sure where to go\n\nnow and any help would be appreciated.It appears your doctor thinks you have a form of vertigo, and the Eppley maneuver is one of several treatments for the condition. \nDrugs such as Antivert or Librium are also prescribed, as well as surgery and even exercise!\n\n“Vestibular rehabilitation therapy is designed by a physical therapist under the direction of a physician. In most cases, patients visit the therapist on a limited basis and perform custom-designed exercises at home, several times a day. As the patient progresses, difficulty of the exercises increases until the highest level of balance is attained during head movement, eye movement (i.e., tracking with the eyes), and walking.\n\nMedication \n\nEar infections (e.g., otitis media, labyrinthitis) caused by bacteria may be treated using antibiotics (e.g., amoxicillin, ceftriaxone).\nMyringotomy is a surgical procedure that may be used to treat chronic ear infections. In this procedure, which is performed under anesthesia, an incision is made in the eardrum and a small tube is placed in the opening to prevent fluid and bacteria from building up inside the ear.\n\nBenign paroxysmal positional vertigo may be treated with meclizine (Antivert®), an oral antiemetic that can be taken up to 3 times a day, or only as needed. Meclizine may cause drowsiness, dry mouth, and blurred vision.”\nhttp://www.neurologychannel.com/vertigo/treatment.shtml\n\n“The most reliable treatment for BPPV is a fairly simple, non-surgical procedure called canalith repositioning.12 This is done by changing the patient's head and body position in a series of steps that are thought to dislodge the calcium crystals within the vestibular labyrinth that caused the problem.\n\nCanalith repositioning is usually done under expert supervision, but it is easy enough that doctors often teach it to BPPV sufferers and their families.\n\nMany doctors also prescribe drugs called vestibular suppressants.\nBecause of unwanted side effects, such as lethargy and impaired balance, they are given sparingly and only for more severe and long-lasting attacks. The elderly are particularly sensitive to these side effects.\n\nAnother concern about these drugs is that they may slow or prevent the central nervous system from adjusting to a problem in the vestibular system. While vetibular suppressants often help lessen symptoms, especially in the short term, surgery is the ultimate answer for the unlucky few with severe BPPV-related vertigo that does not respond to the canalith repositioning procedure.”\nhttp://www.thedoctorwillseeyounow.com/articles/behavior/vertigo_9/\n\n“Loss of balance control\n “In a normal healthy individual our senses of touch (feet, ankles, joints), sight (eyes) and inner ear motion sensors work together in harmony with the brain. A person with a balance disorder, however, may have a problem in any one of these systems, or in multiple systems. In\nsome individuals, one or more of the senses are missing and the person does not realize they are losing their balance. In other people, the brain gets confused and creates an inaccurate sense of falling when in fact the person is in balance. The risk of developing one or more of\nthese problems increases with age as our senses or brain centers are exposed to degenerative or infectious diseases, or the effects of injuries accumulated over a lifetime.\n\nSome individuals experiencing balance problems have an obvious medical diagnosis such as diabetes, Parkinson's disease, or even a stroke that are primary sources of the problem. In other individuals with balance difficulties, the cause can even be subtle undetected forms of these\ndiseases. However, diseases are not the only reason our senses and movements may be compromised. A history of injuries, such as concussions, ear infections, or serious sprains or fractures, may contribute to a loss of balance control over time.”\nhttp://www.onbalance.com/patient_info/balanceControl.aspx\n\n\nBenign paroxysmal positional vertigo\n====
Health
166,687
1Science & Mathematics
Can someone explain a 'moving average' to me, with examples, please.?
I will give you just the simplest possible explanation to get you started. It can be far more involved than this, however. \n\nThe Simple Arithmetic of the Moving Average\n- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -\n\nSuppose you have a string of numbers: { 0 3 1 2 5 3 2 }\n\nIf you suspect that this string of numbers contains some sort of signal, but it is hidden or obscured by noise, you can use a moving average to try to find it. \n\nFor example, suppose that at a time t, you measure a number x, to get x(t): \n\nx(1)=0 \nx(2)=3 \nx(3)=1 \nx(4)=2 \nx(5)=5 \nx(6)=3 \nx(7)=2\n\nThe t values could be seconds, for example, so t=1 is the first second, t=2 is the 2nd second, t=3 is the 3rd second, etc. Then:\n\nx(1) is the x measurement at the first second\n\nx(2) is the x measurement at the second second (that sounds funny doesn't it? )\n\nx(3) is the x measurement at the third second \n\nand so on.\n\nOne could form a moving average of these numbers, to try to find the underlying signal. Let's call the moving average y(t).\n\nLet's suppose that we will average 3 numbers x to find the number y:\n\ny(2)= (1/3)*[x(1)+x(2)+x(3)]\ny(3)= (1/3)*[x(2)+x(3)+x(4)]\ny(4)= (1/3)*[x(3)+x(4)+x(5)]\ny(5)= (1/3)*[x(4)+x(5)+x(6)]\ny(6)= (1/3)*[x(5)+x(6)+x(7)]\n\nSo you see what is happening? The three x values to be averaged are chosen to be x values in a group, and the x values chosen are shifted as the argument of y moves. The values to be averaged move as the argument of y moves, \nso y(u) = [x(u-1)+x(u)+x(u+1)]/3. You can get fancier, and invent a method to find y(1) and y(7), although there is no x(0) or x(8) to use in the formula. \n\nExamples:\n- - - - - - - - - - - - - - - - -\n\nHow might one use this in practice? Suppose that you want to see the effect of your new traffic signal on traffic flow on the highway. You put a meter down and count how many cars pass per minute, and collect data for 10 days. You want to analyze this data and see if you can see a pattern or a trend in your data, and compare it to data from before you put in the traffic signal. Only problem is, the data are very noisy so it is hard to see a pattern. The solution? Try a moving average to smooth out the lumps in the data to see if a nice pattern emerges that you can compare with the pattern from before you put in the traffic signal. \n\nAnother example is, you are trying to listen to your friend's voice over a microphone on his computer, but there is really so much static that you can hardly hear him. Then, you could use a moving average to try to smooth out some of the noise so you could hear his voice more clearly. \n\n\nMore Advanced:\n--------------------------\n\nOne could make the number of values of x to be averaged larger. One does not have to use an arithmetic average, so another kind of average could be used, like a geometric avearge, or a harmonic average to form y. One does not have to use averages at all, so a median or a mode could be used to find the central value of the x's in the group being analyzed. This is a very simple type of low pass filter, or a procedure to remove high frequency noise and other signals from sequential data. The moving average can be computed using a mathematical technique called convolution. There is a connection between convolutions and an expansion of these measurements in terms of sine waves (called a Fourier transform) that is very interesting and useful. \n\nIf you are interested, there is a huge amount of information about this on the internet. I did not want to overwhelm you to start, however. It is best to start out really simple and understand the simple case very very well before you move on to more advanced material.
1,069
Can someone explain a 'moving average' to me, with examples, please.?I will give you just the simplest possible explanation to get you started. It can be far more involved than this, however. \n\nThe Simple Arithmetic of the Moving Average\n- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -\n\nSuppose you have a string of numbers: { 0 3 1 2 5 3 2 }\n\nIf you suspect that this string of numbers contains some sort of signal, but it is hidden or obscured by noise, you can use a moving average to try to find it. \n\nFor example, suppose that at a time t, you measure a number x, to get x(t): \n\nx(1)=0 \nx(2)=3 \nx(3)=1 \nx(4)=2 \nx(5)=5 \nx(6)=3 \nx(7)=2\n\nThe t values could be seconds, for example, so t=1 is the first second, t=2 is the 2nd second, t=3 is the 3rd second, etc. Then:\n\nx(1) is the x measurement at the first second\n\nx(2) is the x measurement at the second second (that sounds funny doesn't it? )\n\nx(3) is the x measurement at the third second \n\nand so on.\n\nOne could form a moving average of these numbers, to try to find the underlying signal. Let's call the moving average y(t).\n\nLet's suppose that we will average 3 numbers x to find the number y:\n\ny(2)= (1/3)*[x(1)+x(2)+x(3)]\ny(3)= (1/3)*[x(2)+x(3)+x(4)]\ny(4)= (1/3)*[x(3)+x(4)+x(5)]\ny(5)= (1/3)*[x(4)+x(5)+x(6)]\ny(6)= (1/3)*[x(5)+x(6)+x(7)]\n\nSo you see what is happening? The three x values to be averaged are chosen to be x values in a group, and the x values chosen are shifted as the argument of y moves. The values to be averaged move as the argument of y moves, \nso y(u) = [x(u-1)+x(u)+x(u+1)]/3. You can get fancier, and invent a method to find y(1) and y(7), although there is no x(0) or x(8) to use in the formula. \n\nExamples:\n- - - - - - - - - - - - - - - - -\n\nHow might one use this in practice? Suppose that you want to see the effect of your new traffic signal on traffic flow on the highway. You put a meter down and count how many cars pass per minute, and collect data for 10 days. You want to analyze this data and see if you can see a pattern or a trend in your data, and compare it to data from before you put in the traffic signal. Only problem is, the data are very noisy so it is hard to see a pattern. The solution? Try a moving average to smooth out the lumps in the data to see if a nice pattern emerges that you can compare with the pattern from before you put in the traffic signal. \n\nAnother example is, you are trying to listen to your friend's voice over a microphone on his computer, but there is really so much static that you can hardly hear him. Then, you could use a moving average to try to smooth out some of the noise so you could hear his voice more clearly. \n\n\nMore Advanced:\n--------------------------\n\nOne could make the number of values of x to be averaged larger. One does not have to use an arithmetic average, so another kind of average could be used, like a geometric avearge, or a harmonic average to form y. One does not have to use averages at all, so a median or a mode could be used to find the central value of the x's in the group being analyzed. This is a very simple type of low pass filter, or a procedure to remove high frequency noise and other signals from sequential data. The moving average can be computed using a mathematical technique called convolution. There is a connection between convolutions and an expansion of these measurements in terms of sine waves (called a Fourier transform) that is very interesting and useful. \n\nIf you are interested, there is a huge amount of information about this on the internet. I did not want to overwhelm you to start, however. It is best to start out really simple and understand the simple case very very well before you move on to more advanced material.
Science & Mathematics
167,583
6Business & Finance
any information about the new jersey plan of 1787?
ResultsResults 1 - 10 of about 455,000 for NEW JERSEY PLAN OF 1787 - 0.19 sec. (About this page)\n\nWEB RESULTS\nFederal v. Consolidated Government: New Jersey Plan \n... CHAPTER 8|Document 9. New Jersey Plan. 15 June 1787Farrand 1:242--45 ... from the principle of the Confederation, wishing rather to add a few new powers to Congs ...press-pubs.uchicago.edu/founders/documents/v1ch8s9.html - 11k - Cached - More from this site - Save - Block\nPrentice Hall Documents Library: The New Jersey Plan (1787) \nThe New Jersey Plan. [This was the so-called "small states plan," presented at the Constitutional Convention on June 15, 1787, in opposition to the "Virginia Plan" presented earlier on May 29, 1787.cwx.prenhall.com/bookbind/pubbooks/dye4/medialib/docs/njplan.htm - 7k - Cached - More from this site - Save - Block\nThe Avalon Project : Variant Texts of the Plan Presented by William Patterson - Text A \nDocuments related to the Constitution of the United States; its history, development, ratification, interpretation and amendments ... to the Federal Convention, June 15,1787. Text A ... Federal Convention of 1787 Reported by James Madison. ( New York, 1920 ...www.yale.edu/lawweb/avalon/const/patexta.htm - 12k - Cached - More from this site - Save - Block\nThe Avalon Project: Madison Debates : June 15 \nNotes kept by James Madison of the Federal Convention held in Phildelphia from May to September 1787www.yale.edu/lawweb/avalon/debates/615.htm - 15k - Cached - More from this site - Save - Block\nNew Jersey Plan - Wikipedia, the free encyclopedia \nNew Jersey Plan From Wikipedia, the free encyclopedia The New Jersey Plan was a proposal for the structure of the United States Government proposed by William Paterson in June of 1787.\nQuick Links: History of New Jersey - United States Constitution\nen.wikipedia.org/wiki/New_Jersey_Plan - 21k - Cached - More from this site - Save - Block\nConstitutional Topic: The Constitutional Convention - The U.S. Constitution Online - USConstitution.net \nA discussion of the Constitutional Topic of the Constitutional Convention ... debate on the New Jersey Plan, his idea lay dormant until June 27 and June 28, 1787, when Marylander Luther ... the Virginia Plan nor the New Jersey Plan were enough ...www.usconstitution.net/consttop_ccon.html - 49k - Cached - More from this site - Save - Block\nNew Jersey Plan \n... The New Jersey Plan. The propositions from N. Jersey moved by Mr ... Source: "Debates in the Federal Convention of 1787 as Reported by James Madison" in The Making of the ...www.tvcc.edu/bodom/Gov/njplan.htm - 8k - Cached - More from this site - Save - Block\nThe Great Compromise \nJune 30th, 1787. A compromise was reached yesterday (June 29th, 1787) in Philadelphia combining the New Jersey Plan and the Virginia Plan. This has been a major conflict for quite a while.www.cyberlearning-world.com/nhhs/amrev/begin.htm - 6k - Cached - More from this site - Save - Block\nNew Jersey \nAll Infoplease Almanacs • General • Entertainment • Sports Biographies Dictionary Encyclopedia. Editor's Favorites. Infoplease Tools. College Center. Career Center. New Jersey. Governor: Jon Corzine , D (to Jan. 2010) Secy. ... Entered Union (rank): Dec. 18, 1787 (3 ... New Jersey. New Jersey Resources Announces Higher Fiscal 2006 First Quarter Earnings; Increases Share Repurchase Plan by ...www.infoplease.com/ipa/A0108246.html - 31k - Cached - More from this site - Save - Block\nNJDARM: New Jersey State Historical Advisory Board (SHRAB) \n... its Strategic Plan to Improve the Preservation, Collection, and Use of New Jersey Historical Records, culminating ... Congar Family Papers, 1787-1876. Cooper Family Papers, 1865-1922 ...www.state.nj.us/state/darm/links/shrab.html - 53k - Cached - More from this site - Save - Block
1,044
any information about the new jersey plan of 1787?ResultsResults 1 - 10 of about 455,000 for NEW JERSEY PLAN OF 1787 - 0.19 sec. (About this page)\n\nWEB RESULTS\nFederal v. Consolidated Government: New Jersey Plan \n... CHAPTER 8|Document 9. New Jersey Plan. 15 June 1787Farrand 1:242--45 ... from the principle of the Confederation, wishing rather to add a few new powers to Congs ...press-pubs.uchicago.edu/founders/documents/v1ch8s9.html - 11k - Cached - More from this site - Save - Block\nPrentice Hall Documents Library: The New Jersey Plan (1787) \nThe New Jersey Plan. [This was the so-called "small states plan," presented at the Constitutional Convention on June 15, 1787, in opposition to the "Virginia Plan" presented earlier on May 29, 1787.cwx.prenhall.com/bookbind/pubbooks/dye4/medialib/docs/njplan.htm - 7k - Cached - More from this site - Save - Block\nThe Avalon Project : Variant Texts of the Plan Presented by William Patterson - Text A \nDocuments related to the Constitution of the United States; its history, development, ratification, interpretation and amendments ... to the Federal Convention, June 15,1787. Text A ... Federal Convention of 1787 Reported by James Madison. ( New York, 1920 ...www.yale.edu/lawweb/avalon/const/patexta.htm - 12k - Cached - More from this site - Save - Block\nThe Avalon Project: Madison Debates : June 15 \nNotes kept by James Madison of the Federal Convention held in Phildelphia from May to September 1787www.yale.edu/lawweb/avalon/debates/615.htm - 15k - Cached - More from this site - Save - Block\nNew Jersey Plan - Wikipedia, the free encyclopedia \nNew Jersey Plan From Wikipedia, the free encyclopedia The New Jersey Plan was a proposal for the structure of the United States Government proposed by William Paterson in June of 1787.\nQuick Links: History of New Jersey - United States Constitution\nen.wikipedia.org/wiki/New_Jersey_Plan - 21k - Cached - More from this site - Save - Block\nConstitutional Topic: The Constitutional Convention - The U.S. Constitution Online - USConstitution.net \nA discussion of the Constitutional Topic of the Constitutional Convention ... debate on the New Jersey Plan, his idea lay dormant until June 27 and June 28, 1787, when Marylander Luther ... the Virginia Plan nor the New Jersey Plan were enough ...www.usconstitution.net/consttop_ccon.html - 49k - Cached - More from this site - Save - Block\nNew Jersey Plan \n... The New Jersey Plan. The propositions from N. Jersey moved by Mr ... Source: "Debates in the Federal Convention of 1787 as Reported by James Madison" in The Making of the ...www.tvcc.edu/bodom/Gov/njplan.htm - 8k - Cached - More from this site - Save - Block\nThe Great Compromise \nJune 30th, 1787. A compromise was reached yesterday (June 29th, 1787) in Philadelphia combining the New Jersey Plan and the Virginia Plan. This has been a major conflict for quite a while.www.cyberlearning-world.com/nhhs/amrev/begin.htm - 6k - Cached - More from this site - Save - Block\nNew Jersey \nAll Infoplease Almanacs • General • Entertainment • Sports Biographies Dictionary Encyclopedia. Editor's Favorites. Infoplease Tools. College Center. Career Center. New Jersey. Governor: Jon Corzine , D (to Jan. 2010) Secy. ... Entered Union (rank): Dec. 18, 1787 (3 ... New Jersey. New Jersey Resources Announces Higher Fiscal 2006 First Quarter Earnings; Increases Share Repurchase Plan by ...www.infoplease.com/ipa/A0108246.html - 31k - Cached - More from this site - Save - Block\nNJDARM: New Jersey State Historical Advisory Board (SHRAB) \n... its Strategic Plan to Improve the Preservation, Collection, and Use of New Jersey Historical Records, culminating ... Congar Family Papers, 1787-1876. Cooper Family Papers, 1865-1922 ...www.state.nj.us/state/darm/links/shrab.html - 53k - Cached - More from this site - Save - Block
Business & Finance
168,401
8Family & Relationships
pls i wanna know what a real love means.?
pls wht do you know about love and breakup.\nand also as a student who is felt inlove with a man so much so that she wouldn't be able to do her school work either assignments;
a strong positive emotion of regard and affection; "his love for his work"; "children need a lot of love"\n* any object of warm affection or devotion; "the theater was her first love"; "he has a passion for **** fighting";\n* have a great affection or liking for; "I love French food"; "She loves her boss and works hard for him"\n* beloved: a beloved person; used as terms of endearment\n* a deep feeling of sexual desire and attraction; "their love left them indifferent to their surroundings"; "she was his first love"\n* get pleasure from; "I love cooking"\n* a score of zero in tennis or squash; "it was 40 love"\n* be enamored or in love with; "She loves her husband deeply"\n* roll in the hay: have sexual intercourse with; "This student sleeps with everyone in her dorm"; "Adam knew Eve"; "Were you ever intimate with this man?"\n* sexual love: sexual activities (often including sexual intercourse) between two people; "his lovemaking disgusted her"; "he hadn't had any love in months"; "he has a very complicated love life"\nhttp://wordnet.princeton.edu/perl/webwn...\n\n* Love has many meanings in English, from something that gives a little pleasure ("I loved that movie") to something one would die for (patriotism, pairbonding). It can describe an intense feeling of affection, an emotion or an emotional state. In ordinary use, it usually refers to interpersonal love. Probably due to its large psychological relevance, love is one of the most common themes in art. The majority of modern movies have a love story and most pop music is about love.\nhttp://en.wikipedia.org/wiki/love...\n\n* Love was an American rock group of the 1960s and 1970s. They were led by singer, songwriter and guitarist Arthur Lee (born March 7, 1945 in Memphis).\nhttp://en.wikipedia.org/wiki/love_(band)...\n\n* 1. Nirvana2. Big neon glitter3. Love4. Brother wolf, sister moon5. Rain6. Phoenix7. Hollow man8. Revolution9. She sells sanctuary10. Black angel[Image\nhttp://en.wikipedia.org/wiki/love_(album...\n\n* The ancient Greeks had four different words we translate love. It is important to understand the difference between the words:\nhttp://www.calvarychapel.com/redbarn/ter...\n\n* Apple, Aster, Caraway, Coriander, Cumin, Jasmine, Lavender, Marjoram..\nhttp://mysticsmountain.tripod.com/glossa...\n\n* a Primary Principle and a prime virtue, is the feminine Mother aspect of God, nourishing and sustaining as the Substance of which everything is created. Love is the cohesive power of attraction throughout the universes. The 2nd Emanation, the Mother-God Principle contains all Feminine Aspects of God as Personality; it is the Blue Ray of Love or blue color of Principle as the Mother. Thou shalt love the Lord thy God with all thy heart, and with all thy soul, and with all thy mind. ...\nhttp://miriams-well.org/glossary/...\n\n* A players game score when he / she has no yet won a point during the game\nhttp://www.henin-hardenne.be/bin/glossar...\n\n* is energy; it sustains all form and formlessness; our true identity. Love lives in the Heart. It is the Glue of the Universe. It is a Soul quality. (see Soul Qualities)\nhttp://www.goddirect.org/glossary/l.htm...\n\n* The state of the game, in rubber bridge, where there is yet no score.\nhttp;//www.bridgeguys.com/LGlo...\n\n* thin silk used for ribbons, with narrow satin stripes.\nhttp://romancereaderatheart.com/regency/...\n\n* The unifying agent of universal design, which is based upon the Intent of best benefit to all, as well as high vibrational states. A mutuality of appreciation in the common recognition of Oneness. That inherent quality of existence whose depth of feeling liberates and inspires spiritual revelation. SEE VIBRATION\nhttp://www.eoni.com/~visionquest/library...\n\n* An emotion of deep affection or devotion.\nhttp://www.godo
1,058
pls i wanna know what a real love means.?pls wht do you know about love and breakup.\nand also as a student who is felt inlove with a man so much so that she wouldn't be able to do her school work either assignments;a strong positive emotion of regard and affection; "his love for his work"; "children need a lot of love"\n* any object of warm affection or devotion; "the theater was her first love"; "he has a passion for **** fighting";\n* have a great affection or liking for; "I love French food"; "She loves her boss and works hard for him"\n* beloved: a beloved person; used as terms of endearment\n* a deep feeling of sexual desire and attraction; "their love left them indifferent to their surroundings"; "she was his first love"\n* get pleasure from; "I love cooking"\n* a score of zero in tennis or squash; "it was 40 love"\n* be enamored or in love with; "She loves her husband deeply"\n* roll in the hay: have sexual intercourse with; "This student sleeps with everyone in her dorm"; "Adam knew Eve"; "Were you ever intimate with this man?"\n* sexual love: sexual activities (often including sexual intercourse) between two people; "his lovemaking disgusted her"; "he hadn't had any love in months"; "he has a very complicated love life"\nhttp://wordnet.princeton.edu/perl/webwn...\n\n* Love has many meanings in English, from something that gives a little pleasure ("I loved that movie") to something one would die for (patriotism, pairbonding). It can describe an intense feeling of affection, an emotion or an emotional state. In ordinary use, it usually refers to interpersonal love. Probably due to its large psychological relevance, love is one of the most common themes in art. The majority of modern movies have a love story and most pop music is about love.\nhttp://en.wikipedia.org/wiki/love...\n\n* Love was an American rock group of the 1960s and 1970s. They were led by singer, songwriter and guitarist Arthur Lee (born March 7, 1945 in Memphis).\nhttp://en.wikipedia.org/wiki/love_(band)...\n\n* 1. Nirvana2. Big neon glitter3. Love4. Brother wolf, sister moon5. Rain6. Phoenix7. Hollow man8. Revolution9. She sells sanctuary10. Black angel[Image\nhttp://en.wikipedia.org/wiki/love_(album...\n\n* The ancient Greeks had four different words we translate love. It is important to understand the difference between the words:\nhttp://www.calvarychapel.com/redbarn/ter...\n\n* Apple, Aster, Caraway, Coriander, Cumin, Jasmine, Lavender, Marjoram..\nhttp://mysticsmountain.tripod.com/glossa...\n\n* a Primary Principle and a prime virtue, is the feminine Mother aspect of God, nourishing and sustaining as the Substance of which everything is created. Love is the cohesive power of attraction throughout the universes. The 2nd Emanation, the Mother-God Principle contains all Feminine Aspects of God as Personality; it is the Blue Ray of Love or blue color of Principle as the Mother. Thou shalt love the Lord thy God with all thy heart, and with all thy soul, and with all thy mind. ...\nhttp://miriams-well.org/glossary/...\n\n* A players game score when he / she has no yet won a point during the game\nhttp://www.henin-hardenne.be/bin/glossar...\n\n* is energy; it sustains all form and formlessness; our true identity. Love lives in the Heart. It is the Glue of the Universe. It is a Soul quality. (see Soul Qualities)\nhttp://www.goddirect.org/glossary/l.htm...\n\n* The state of the game, in rubber bridge, where there is yet no score.\nhttp;//www.bridgeguys.com/LGlo...\n\n* thin silk used for ribbons, with narrow satin stripes.\nhttp://romancereaderatheart.com/regency/...\n\n* The unifying agent of universal design, which is based upon the Intent of best benefit to all, as well as high vibrational states. A mutuality of appreciation in the common recognition of Oneness. That inherent quality of existence whose depth of feeling liberates and inspires spiritual revelation. SEE VIBRATION\nhttp://www.eoni.com/~visionquest/library...\n\n* An emotion of deep affection or devotion.\nhttp://www.godo
Family & Relationships
168,750
1Science & Mathematics
Can u tell me and explain to me what the quadratic equation is?
A quadratic equation is a second-order polynomial equation in a single variable \n\n (1) \n\nwith . Because it is a second-order polynomial equation, the fundamental theorem of algebra guarantees that it has two solutions. These solutions may be both real, or both complex. \n\nThe roots can be found by completing the square, \n\n (2) \n\n (3) \n\n (4) \n\nSolving for then gives \n\n (5) \n\nThis equation is known as the quadratic formula. \n\nThe first known solution of a quadratic equation is the one given in the Berlin papyrus from the Middle Kingdom (ca. 2160-1700 BC) in Egypt. This problem reduces to solving \n\n (6) \n (7) \n\n(Smith 1953, p. 443). The Greeks were able to solve the quadratic equation by geometric methods, and Euclid's (ca. 325-270 BC) Data contains three problems involving quadratics. In his work Arithmetica, the Greek mathematician Diophantus (ca. 210-290) solved the quadratic equation, but giving only one root, even when both roots were positive (Smith 1951, p. 134). \n\nA number of Indian mathematicians gave rules equivalent to the quadratic formula. It is possible that certain altar constructions dating from ca. 500 BC represent solutions of the equation, but even should this be the case, there is no record of the method of solution (Smith 1953, p. 444). The Hindu mathematician Aryabhata (475 or 476-550) gave a rule for the sum of a geometric series that shows knowledge of the quadratic equations with both solutions (Smith 1951, p. 159; Smith 1953, p. 444), while Brahmagupta (ca. 628) appears to have considered only one of them (Smith 1951, p. 159; Smith 1953, pp. 444-445). Similarly, Mahavira (ca. 850) had substantially the modern rule for the positive root of a quadratic. Sridhara (ca. 1025) gave the positive root of the quadratic formula, as stated by Bhaskara (ca. 1150; Smith 1953, pp. 445-446). The Persian mathematicians al-Khwarizmi (ca. 825) and Omar Khayyám (ca. 1100) also gave rules for finding the positive root. \n\nViète was among the first to replace geometric methods of solution with analytic ones, although he apparently did not grasp the idea of a general quadratic equation (Smith 1953, pp. 449-450). \n\nAn alternate form of the quadratic equation is given by dividing (◇) through by : \n\n (8) \n\n (9) \n\n (10) \n\nTherefore, \n\n (11) \n\n (12) \n\n (13) \n\nThis form is helpful if , where denotes much greater, in which case the usual form of the quadratic formula can give inaccurate numerical results for one of the roots. This can be avoided by defining \n\n (14) \n\nso that and the term under the square root sign always have the same sign. Now, if , then \n\n (15) \n\n (16) \n (17) \n\nso \n\n (18) \n (19) \n\nSimilarly, if , then \n\n (20) \n\n (21) \n (22) \n\nso \n\n (23) \n (24) \n\nTherefore, the roots are always given by and . \n\nNow consider the equation expressed in the form \n\n (25) \n\nwith solutions and . These solutions satisfy Vieta's formulas \n\n (26) \n (27) \n\nThe properties of the symmetric polynomials appearing in Vieta's formulas then give \n\n (28) \n (29) \n (30) \n\n \nGiven a quadratic integer polynomial , consider the number such polynomials that are factorable over the integers for and taken from some set of integers . For example, for , there are four such polynomials, \n\n (31) \n (32) \n (33) \n (34) \n\nThe following table summarizes the counts of such factorable polynomials for simple and small . Plots of the fractions of factorable polynomials for (red), (blue), and (green) are also illustrated above. Amazingly, the sequence for has the recurrence equation \n\n (35) \n\nwhere is the number of divisors of and is the characteristic function of the square numbers. \n\n Sloane factorable over for , 1, ... \n A067274 1, 4, 10, 16, 25, 31, 41, 47, 57, ... \n A091626 1, 2, 4, 6, 9, 11, 14, 16, 19, 22, ... \n A091627 0, 0, 1, 2, 4, 5, 7, 8, 10, 12, 14, ...
1,190
Can u tell me and explain to me what the quadratic equation is?A quadratic equation is a second-order polynomial equation in a single variable \n\n (1) \n\nwith . Because it is a second-order polynomial equation, the fundamental theorem of algebra guarantees that it has two solutions. These solutions may be both real, or both complex. \n\nThe roots can be found by completing the square, \n\n (2) \n\n (3) \n\n (4) \n\nSolving for then gives \n\n (5) \n\nThis equation is known as the quadratic formula. \n\nThe first known solution of a quadratic equation is the one given in the Berlin papyrus from the Middle Kingdom (ca. 2160-1700 BC) in Egypt. This problem reduces to solving \n\n (6) \n (7) \n\n(Smith 1953, p. 443). The Greeks were able to solve the quadratic equation by geometric methods, and Euclid's (ca. 325-270 BC) Data contains three problems involving quadratics. In his work Arithmetica, the Greek mathematician Diophantus (ca. 210-290) solved the quadratic equation, but giving only one root, even when both roots were positive (Smith 1951, p. 134). \n\nA number of Indian mathematicians gave rules equivalent to the quadratic formula. It is possible that certain altar constructions dating from ca. 500 BC represent solutions of the equation, but even should this be the case, there is no record of the method of solution (Smith 1953, p. 444). The Hindu mathematician Aryabhata (475 or 476-550) gave a rule for the sum of a geometric series that shows knowledge of the quadratic equations with both solutions (Smith 1951, p. 159; Smith 1953, p. 444), while Brahmagupta (ca. 628) appears to have considered only one of them (Smith 1951, p. 159; Smith 1953, pp. 444-445). Similarly, Mahavira (ca. 850) had substantially the modern rule for the positive root of a quadratic. Sridhara (ca. 1025) gave the positive root of the quadratic formula, as stated by Bhaskara (ca. 1150; Smith 1953, pp. 445-446). The Persian mathematicians al-Khwarizmi (ca. 825) and Omar Khayyám (ca. 1100) also gave rules for finding the positive root. \n\nViète was among the first to replace geometric methods of solution with analytic ones, although he apparently did not grasp the idea of a general quadratic equation (Smith 1953, pp. 449-450). \n\nAn alternate form of the quadratic equation is given by dividing (◇) through by : \n\n (8) \n\n (9) \n\n (10) \n\nTherefore, \n\n (11) \n\n (12) \n\n (13) \n\nThis form is helpful if , where denotes much greater, in which case the usual form of the quadratic formula can give inaccurate numerical results for one of the roots. This can be avoided by defining \n\n (14) \n\nso that and the term under the square root sign always have the same sign. Now, if , then \n\n (15) \n\n (16) \n (17) \n\nso \n\n (18) \n (19) \n\nSimilarly, if , then \n\n (20) \n\n (21) \n (22) \n\nso \n\n (23) \n (24) \n\nTherefore, the roots are always given by and . \n\nNow consider the equation expressed in the form \n\n (25) \n\nwith solutions and . These solutions satisfy Vieta's formulas \n\n (26) \n (27) \n\nThe properties of the symmetric polynomials appearing in Vieta's formulas then give \n\n (28) \n (29) \n (30) \n\n \nGiven a quadratic integer polynomial , consider the number such polynomials that are factorable over the integers for and taken from some set of integers . For example, for , there are four such polynomials, \n\n (31) \n (32) \n (33) \n (34) \n\nThe following table summarizes the counts of such factorable polynomials for simple and small . Plots of the fractions of factorable polynomials for (red), (blue), and (green) are also illustrated above. Amazingly, the sequence for has the recurrence equation \n\n (35) \n\nwhere is the number of divisors of and is the characteristic function of the square numbers. \n\n Sloane factorable over for , 1, ... \n A067274 1, 4, 10, 16, 25, 31, 41, 47, 57, ... \n A091626 1, 2, 4, 6, 9, 11, 14, 16, 19, 22, ... \n A091627 0, 0, 1, 2, 4, 5, 7, 8, 10, 12, 14, ...
Science & Mathematics
169,052
0Society & Culture
Are you offended by the blasphemous cartoons against the Prophet (peace be upon him)?
Frankly, I'm not. I still don't quite understand why\neffigies of our leaders and the American and various\nEuropean flags can be burned without consequence,\nanti-Semitic and -Christian cartoons can be drawn in\nMuslim newspapers, and jihad can be declared on\nChristianity but as soon as a Danish newspaper\nexercises their freedom from censorship all hell\nbrakes loose. Guess what! That was done in THEIR OWN\ncountry--a European country that (I'm going out on a\nlimb on this one) is predominantly Christian. There\nare no rules about it--that I am aware of. Countries\nthat are predominantly Muslim have their own\ntraditions and rules that all foreigners must follow\nrespectfully within their borders. Countries, such as\nthe United States have traditions too. Guess what! We\nmodify these traditions so that we don't step on the\ntoes of foreigners who would raise hell if we tried to\ndo the same within their land.\n\nMY responses to some comments that were made...\n\nTo: patrick_mont:\n\nWatch what I do???\n\nOr what, you're gonna bomb me? That's exactly the\nproblem. Whatever your stand is on the war, I think\nthat most can agree that the "tradition" that we were\nattempting to change in IRAQ and AFGHANISTAN was the\nremoval of people that brought pain and suffering to\ntheir own kind and not a change of Islamic faith or\ntradition. The pain continues because extremists\ncontinue to push on and apparently misunderstand our\npurpose for being there--much like you do.\n\nTo: msaelshamy:\n\nYes, I am a Christian and very honestly, no I would\nnot be upset by a cartoon depicting a Christian\nreligious figure. Maybe it's because I'm a bad person\nand only go to church on Christmas Eve, who knows.\nWhat I do know is that I have more important things to\nworry about than some cartoon or somebody calling me a\nstereotypical white male. Wait, isn't that\nstereotyping ME? Who cares. Freedom of speech does not\nallow one to incite violence or induce panic. It does\nallow one to express an opinion on just about\nanything, including religion. It doesn't happen in the\npress for fear of losing one's job or reprisals by the\noffended party. The cartoon is a sign of protest\nagainst Muslims using their religion as an excuse to\nmurder non-muslims (In response to the person who told\nme that burning the American flag was in response to\nAmerican Foreign policy). If fanatical Muslims did not\nwant violence associated with the Prophet, they have\ngone about doing it the wrong way by citing their\nreligion as the reason for their actions. I've seen\nthe videos. What person in their right mind yells "God\nis great!" while severing someone's head or detonating\na bomb?\n\nADDITION ON 2/6/06\n\nThe situation continues to get worse as Muslim\nprotests continue to grow increasingly violent. People\nhave died. Buildings have been set ablaze. This is\nover a cartoon. This is the work of not a just few\nreligious fanatics, but of scores of Muslims who\ndenounce the cartoon of the Prophet. A CARTOON! How\nabout rising up when an innocent Westerner (aid\nworker, member of the press, etc) is beheaded or your\nown people (Muslims) are blown up in a crowded market\nor at a wedding by a devout follower of Islam?\n\nADDITION ON 2/7/06\nWHAT EXCUSES ISLAMIC HATRED? BY TIM RUTTEN OF THE LA\nTIMES\n(Excerpts) 2/7/06\n\n"By last week, Danes faced not only violent protests\nin Islamic streets but also mounting demands from\ngovernments in the Middle East and elsewhere that the\ndo something to the newspaper."\n\n"All this would be slightly more edifying if it didn't\nreflect the destructive, dangerous double standard\nthat Western nations routinely observe when it comes\nto the government-controlled media in Islamic states.\nThere, the media are routinely rife with the vilest\nsort of hate directed at Jews and, less often,\nChristians."\n\n"If you want to see the cont
1,048
Are you offended by the blasphemous cartoons against the Prophet (peace be upon him)?Frankly, I'm not. I still don't quite understand why\neffigies of our leaders and the American and various\nEuropean flags can be burned without consequence,\nanti-Semitic and -Christian cartoons can be drawn in\nMuslim newspapers, and jihad can be declared on\nChristianity but as soon as a Danish newspaper\nexercises their freedom from censorship all hell\nbrakes loose. Guess what! That was done in THEIR OWN\ncountry--a European country that (I'm going out on a\nlimb on this one) is predominantly Christian. There\nare no rules about it--that I am aware of. Countries\nthat are predominantly Muslim have their own\ntraditions and rules that all foreigners must follow\nrespectfully within their borders. Countries, such as\nthe United States have traditions too. Guess what! We\nmodify these traditions so that we don't step on the\ntoes of foreigners who would raise hell if we tried to\ndo the same within their land.\n\nMY responses to some comments that were made...\n\nTo: patrick_mont:\n\nWatch what I do???\n\nOr what, you're gonna bomb me? That's exactly the\nproblem. Whatever your stand is on the war, I think\nthat most can agree that the "tradition" that we were\nattempting to change in IRAQ and AFGHANISTAN was the\nremoval of people that brought pain and suffering to\ntheir own kind and not a change of Islamic faith or\ntradition. The pain continues because extremists\ncontinue to push on and apparently misunderstand our\npurpose for being there--much like you do.\n\nTo: msaelshamy:\n\nYes, I am a Christian and very honestly, no I would\nnot be upset by a cartoon depicting a Christian\nreligious figure. Maybe it's because I'm a bad person\nand only go to church on Christmas Eve, who knows.\nWhat I do know is that I have more important things to\nworry about than some cartoon or somebody calling me a\nstereotypical white male. Wait, isn't that\nstereotyping ME? Who cares. Freedom of speech does not\nallow one to incite violence or induce panic. It does\nallow one to express an opinion on just about\nanything, including religion. It doesn't happen in the\npress for fear of losing one's job or reprisals by the\noffended party. The cartoon is a sign of protest\nagainst Muslims using their religion as an excuse to\nmurder non-muslims (In response to the person who told\nme that burning the American flag was in response to\nAmerican Foreign policy). If fanatical Muslims did not\nwant violence associated with the Prophet, they have\ngone about doing it the wrong way by citing their\nreligion as the reason for their actions. I've seen\nthe videos. What person in their right mind yells "God\nis great!" while severing someone's head or detonating\na bomb?\n\nADDITION ON 2/6/06\n\nThe situation continues to get worse as Muslim\nprotests continue to grow increasingly violent. People\nhave died. Buildings have been set ablaze. This is\nover a cartoon. This is the work of not a just few\nreligious fanatics, but of scores of Muslims who\ndenounce the cartoon of the Prophet. A CARTOON! How\nabout rising up when an innocent Westerner (aid\nworker, member of the press, etc) is beheaded or your\nown people (Muslims) are blown up in a crowded market\nor at a wedding by a devout follower of Islam?\n\nADDITION ON 2/7/06\nWHAT EXCUSES ISLAMIC HATRED? BY TIM RUTTEN OF THE LA\nTIMES\n(Excerpts) 2/7/06\n\n"By last week, Danes faced not only violent protests\nin Islamic streets but also mounting demands from\ngovernments in the Middle East and elsewhere that the\ndo something to the newspaper."\n\n"All this would be slightly more edifying if it didn't\nreflect the destructive, dangerous double standard\nthat Western nations routinely observe when it comes\nto the government-controlled media in Islamic states.\nThere, the media are routinely rife with the vilest\nsort of hate directed at Jews and, less often,\nChristians."\n\n"If you want to see the cont
Society & Culture
169,712
6Business & Finance
How can I sound louder? I feel I'am shouting at the top of my voice, but in vain, people still say I'am soft.
My voice is soft, so say all my friends. I honestly try to speak louder. I feel I'am speaking so loud, that my ears hurt. Anyway I got to be wrong, because many people said I need to improve my audibility. \nI took a seminar for my engineering classmates, the front bench, understood everything, but the back-benchers, good students themselves didn't understand, and the reason they gave me for that-"We can't hear you back here, pal!!"
ptoms of shyness\nblushing \nheart pounding \n"butterflies" in the stomach \nstrong feelings of uncertainty \ndifficulty carrying on a conversation \nPossible causes of shyness\nlack of confidence (ok... that's too obvious) \ninferiority complex (you are a creature of GOD, why would god discriminate in his creatures? think about it... and stop feeling inferior) \nyour thinking pattern (of negative thoughts, so fear creeps in, and your subconscious mind reacts according to that) \nlack of knowledge about the expected behavior in social situations \nsometimes, its based upon your previous experiences \nFirst of all you will need to learn how to relax. Shy people often get anxious or "tensed" in social situations. When I say "tensed" I literally mean it. In social situations, where you feel shy; you get tensed up, your muscles tighten, all of your body literally builds tension (like if we stretch a rope). All you have to do is to loosen yourself. Anxiety Cure\n\nThis may help:\n\nEvery night before sleeping lie down on your back. I will recommend removing the pillow. Put your hands beside your body (so that they point to the feet). Now take some deep breaths. Say to yourself my body is getting relaxed. Imagine all of your body parts going into the state of ultimate relaxation one by one. Start from head to toe. Imagine all the tension in your muscles is getting out from your body through the fingers of your hand. Finally all of your body is completely relaxed and you are experiencing ULTIMATE RELAXATION. At this time imagine a golden light which is giving you infinite power to help you succeed in every aspect of the life. This way you will get a very sound sleep also. \n\nNow again coming back to social situations... if you start getting tensed... just say to yourself "RELAX" and imagine all the tension easing out from your body (as you do while sleeping). Ease your shoulders and loosen up. You will be more calm and cool then. Now say affirmatively to yourself: "I am in control of how I think and feel - no one else on earth has this power unless I give it away." And this is a FACT. In this way, take control of your attitude, and you will take control of your results.\n\nNow the technical stuff explaining why the muscles get tensed\n\nWhat happens in our bodies when we are under threat. It's very much chemistry. When subjected to a threat or fear, such as real conflict, your body will release chemicals to help you fight with the situation. These will affect your body and mind in certain specific ways. Your heart beat will increase. You start loosing control over your tongue. You no longer remain who you actually are. Your mind stops working and you know what to say. \n\nThe SOLUTION - How to loose fear?\n1. Let me make it clear... FEARS HAVE NO REALITY (yes, I am shouting). They doesn't simply exist. They exist only in one's mind. I will make it clear. A small child can be paralyzed with fear when a playmate says there is a monster under the bed who will grab him in the night. But when the parent turns on the light and shows there is no monster, he is freed from fear. The fear in the mind of the child was every bit as real as if there were really a monster there. The thing he feared did not exist. In the same way, most of our fears have no reality. They are merely illusions. \n\nMost of the fears exist more from PROGRAMMING than from reality.\n\nOk... let me tell you an another story when I was young (say, 15 years old). I didn't know driving. I had a fear in my mind that I can not drive and will not able to drive for my entire life. I really feared driving. But, then I started to learn driving. I used to drive very slowly, fearfully. But gradually, I learnt to drive perfectly and all of my fear was gone. And now I can drive as rashly as you can imagine without any troubles or fear. So what we learnt from this? What we learnt is that... we should face the fears
1,056
How can I sound louder? I feel I'am shouting at the top of my voice, but in vain, people still say I'am soft.My voice is soft, so say all my friends. I honestly try to speak louder. I feel I'am speaking so loud, that my ears hurt. Anyway I got to be wrong, because many people said I need to improve my audibility. \nI took a seminar for my engineering classmates, the front bench, understood everything, but the back-benchers, good students themselves didn't understand, and the reason they gave me for that-"We can't hear you back here, pal!!"ptoms of shyness\nblushing \nheart pounding \n"butterflies" in the stomach \nstrong feelings of uncertainty \ndifficulty carrying on a conversation \nPossible causes of shyness\nlack of confidence (ok... that's too obvious) \ninferiority complex (you are a creature of GOD, why would god discriminate in his creatures? think about it... and stop feeling inferior) \nyour thinking pattern (of negative thoughts, so fear creeps in, and your subconscious mind reacts according to that) \nlack of knowledge about the expected behavior in social situations \nsometimes, its based upon your previous experiences \nFirst of all you will need to learn how to relax. Shy people often get anxious or "tensed" in social situations. When I say "tensed" I literally mean it. In social situations, where you feel shy; you get tensed up, your muscles tighten, all of your body literally builds tension (like if we stretch a rope). All you have to do is to loosen yourself. Anxiety Cure\n\nThis may help:\n\nEvery night before sleeping lie down on your back. I will recommend removing the pillow. Put your hands beside your body (so that they point to the feet). Now take some deep breaths. Say to yourself my body is getting relaxed. Imagine all of your body parts going into the state of ultimate relaxation one by one. Start from head to toe. Imagine all the tension in your muscles is getting out from your body through the fingers of your hand. Finally all of your body is completely relaxed and you are experiencing ULTIMATE RELAXATION. At this time imagine a golden light which is giving you infinite power to help you succeed in every aspect of the life. This way you will get a very sound sleep also. \n\nNow again coming back to social situations... if you start getting tensed... just say to yourself "RELAX" and imagine all the tension easing out from your body (as you do while sleeping). Ease your shoulders and loosen up. You will be more calm and cool then. Now say affirmatively to yourself: "I am in control of how I think and feel - no one else on earth has this power unless I give it away." And this is a FACT. In this way, take control of your attitude, and you will take control of your results.\n\nNow the technical stuff explaining why the muscles get tensed\n\nWhat happens in our bodies when we are under threat. It's very much chemistry. When subjected to a threat or fear, such as real conflict, your body will release chemicals to help you fight with the situation. These will affect your body and mind in certain specific ways. Your heart beat will increase. You start loosing control over your tongue. You no longer remain who you actually are. Your mind stops working and you know what to say. \n\nThe SOLUTION - How to loose fear?\n1. Let me make it clear... FEARS HAVE NO REALITY (yes, I am shouting). They doesn't simply exist. They exist only in one's mind. I will make it clear. A small child can be paralyzed with fear when a playmate says there is a monster under the bed who will grab him in the night. But when the parent turns on the light and shows there is no monster, he is freed from fear. The fear in the mind of the child was every bit as real as if there were really a monster there. The thing he feared did not exist. In the same way, most of our fears have no reality. They are merely illusions. \n\nMost of the fears exist more from PROGRAMMING than from reality.\n\nOk... let me tell you an another story when I was young (say, 15 years old). I didn't know driving. I had a fear in my mind that I can not drive and will not able to drive for my entire life. I really feared driving. But, then I started to learn driving. I used to drive very slowly, fearfully. But gradually, I learnt to drive perfectly and all of my fear was gone. And now I can drive as rashly as you can imagine without any troubles or fear. So what we learnt from this? What we learnt is that... we should face the fears
Business & Finance
170,363
3Education & Reference
Here's a good one: what can you do with the following....?
First, take your last name, and the name of your elementary school. this is your new name.\n\nnext, pick a number higher than zero.\n\nnext, pick a person you know (can be anyone)\n\nlastly, think of a holiday.\n.\n.\n.\n.\n.\n.\n.\n.\n.\n.\n.\nOK, I (name), hereby declare to sign my life away for the next (number) years, fall in love with (person) for the rest of my life, and have (number) of kids with (person) by next (holiday).\n\nSincerely, \n(name)\n\nI'll start\nI Everett Alta Loma, hereby declare to sign my life away for the next 15 years, fall in love with Allan for the rest of my life, and have 15 kids with Allan by next halloween.\n\nSincerely,\nEverett Alta Loma\n\nYou try it!
Monotony at Work\n\nWake up, hit the snooze…Wake up, hit the snooze…Wake up, hit the snooze. This happens six times before I finally get up to start getting ready for work. I think it’s my subconscious screaming at me not to go today. As I unlock the door to my store, I hear the familiar “SPSSS” from the lemon scent aerosol can that I am now so used to; I never seem to notice the once loved sweet and sour smell. I start my routine by vacuuming rugs that are already clean and mopping the floor that is already shining. I fold up and put away the paperwork from the night before, turn on the red neon "Open" sign and settle in for another day, just as boring, just as monotonous, the ugly twin of the day before.\nI lean back in my iron maiden of a chair, watching cars drive by, never stopping. The owner arrives shortly after I do. He asks me how I’m doing and proceeds to the solace of his office. Holiday lights chase themselves endlessly around the window and there’s a strobe light that relentlessly emits a constant mind warping rhythm throughout the day, softly clicking. They’re both trying to scream at the customers to come in and activate a new cell phone. I hear the subtle vocal stylings of Celine Dion playing on the soft rock radio station in the background, pounding against the back of my head, forcing thoughts of mass destruction into my head to the tune of "My Heart Will Go On." The hours pass at a crawl and I try to daydream about anything, but fall short of nothing until the “DING DONG” of the load chime in the front door snaps me back to reality; I finally see life in this otherwise desolate place. The excitement grows as I rise from my Garrotte and greet my potential client enthusiastically. The excitement dies as quickly as it rose when I find out the customer is looking for the pizza place.\nThe owner, becoming bored in the middle of the day, comes up to the front of the store and barks some orders and then promptly retreats back to his fortress of solitude. This plethora of free time does allow me the opportunity to do some school work, my only variety through out the day. Just as I start my week’s assignments, “DING DONG”, another customer, could this be the one to break it? No she just wants a pre paid cell card, and then complains about the dollar service fee, back to my guillotine.\nI stare at the clock for a few minutes, in my minds eye I see it laughing at me. 4:30 pm, my assignments seem to be doing the trick; it feels like hours have gone by. “PSPP” the aerosol can sprays its perfume again reminding me that it does that every nine minutes, and I haven’t heard it that many times. I turn on the dancing lights and the more powerful strobe in hopes of attracting the night dwellers, and go back to my studies. I look up from my computer and fall into an insomniatic stare out of the window into the ever darkening sky. “BRING, BRING”, the phone echoes off the deathly silent walls, the words flow through the channel that has been carved into my psyche by the repetition of saying the same thing over, and over, like the river that created the Grand Canyon. “Thank you for calling Wireless Experts, this is G.W. How can I help you?” My heart is racing with anticipation…A telemarketer selling seven lovely nights in Las Vegas, NV. The racing subsides and I sit back down on my electric chair.\nI step outside into the frigid desert air just to break the madness. I look up at the clock through the window, my heart sinks, 5:30 pm. This is the time during the day that time moves slower then a snail sliding through molasses. 6:00 pm, my mind is struggling to come up with something to do, and is blank. I look around the store in hopes of finding something to do, gleaming metal surrounds the displays, the glass windows that you can’t see but know they’re there, packages of blue and white stacked to the brim on the shelves. No cleaning is needed, no stocking to be done,
1,163
Here's a good one: what can you do with the following....?First, take your last name, and the name of your elementary school. this is your new name.\n\nnext, pick a number higher than zero.\n\nnext, pick a person you know (can be anyone)\n\nlastly, think of a holiday.\n.\n.\n.\n.\n.\n.\n.\n.\n.\n.\n.\nOK, I (name), hereby declare to sign my life away for the next (number) years, fall in love with (person) for the rest of my life, and have (number) of kids with (person) by next (holiday).\n\nSincerely, \n(name)\n\nI'll start\nI Everett Alta Loma, hereby declare to sign my life away for the next 15 years, fall in love with Allan for the rest of my life, and have 15 kids with Allan by next halloween.\n\nSincerely,\nEverett Alta Loma\n\nYou try it!Monotony at Work\n\nWake up, hit the snooze…Wake up, hit the snooze…Wake up, hit the snooze. This happens six times before I finally get up to start getting ready for work. I think it’s my subconscious screaming at me not to go today. As I unlock the door to my store, I hear the familiar “SPSSS” from the lemon scent aerosol can that I am now so used to; I never seem to notice the once loved sweet and sour smell. I start my routine by vacuuming rugs that are already clean and mopping the floor that is already shining. I fold up and put away the paperwork from the night before, turn on the red neon "Open" sign and settle in for another day, just as boring, just as monotonous, the ugly twin of the day before.\nI lean back in my iron maiden of a chair, watching cars drive by, never stopping. The owner arrives shortly after I do. He asks me how I’m doing and proceeds to the solace of his office. Holiday lights chase themselves endlessly around the window and there’s a strobe light that relentlessly emits a constant mind warping rhythm throughout the day, softly clicking. They’re both trying to scream at the customers to come in and activate a new cell phone. I hear the subtle vocal stylings of Celine Dion playing on the soft rock radio station in the background, pounding against the back of my head, forcing thoughts of mass destruction into my head to the tune of "My Heart Will Go On." The hours pass at a crawl and I try to daydream about anything, but fall short of nothing until the “DING DONG” of the load chime in the front door snaps me back to reality; I finally see life in this otherwise desolate place. The excitement grows as I rise from my Garrotte and greet my potential client enthusiastically. The excitement dies as quickly as it rose when I find out the customer is looking for the pizza place.\nThe owner, becoming bored in the middle of the day, comes up to the front of the store and barks some orders and then promptly retreats back to his fortress of solitude. This plethora of free time does allow me the opportunity to do some school work, my only variety through out the day. Just as I start my week’s assignments, “DING DONG”, another customer, could this be the one to break it? No she just wants a pre paid cell card, and then complains about the dollar service fee, back to my guillotine.\nI stare at the clock for a few minutes, in my minds eye I see it laughing at me. 4:30 pm, my assignments seem to be doing the trick; it feels like hours have gone by. “PSPP” the aerosol can sprays its perfume again reminding me that it does that every nine minutes, and I haven’t heard it that many times. I turn on the dancing lights and the more powerful strobe in hopes of attracting the night dwellers, and go back to my studies. I look up from my computer and fall into an insomniatic stare out of the window into the ever darkening sky. “BRING, BRING”, the phone echoes off the deathly silent walls, the words flow through the channel that has been carved into my psyche by the repetition of saying the same thing over, and over, like the river that created the Grand Canyon. “Thank you for calling Wireless Experts, this is G.W. How can I help you?” My heart is racing with anticipation…A telemarketer selling seven lovely nights in Las Vegas, NV. The racing subsides and I sit back down on my electric chair.\nI step outside into the frigid desert air just to break the madness. I look up at the clock through the window, my heart sinks, 5:30 pm. This is the time during the day that time moves slower then a snail sliding through molasses. 6:00 pm, my mind is struggling to come up with something to do, and is blank. I look around the store in hopes of finding something to do, gleaming metal surrounds the displays, the glass windows that you can’t see but know they’re there, packages of blue and white stacked to the brim on the shelves. No cleaning is needed, no stocking to be done,
Education & Reference
172,049
0Society & Culture
We are looking for detailed information on native Japanese foods. Can anyone help?
Sixth-grade report on Japan. We want to know about foods, meals, snacks etc. that are commonplace in Japan, and any info like how they got started, what and how they are made, whether theyare holiday traditional, whatever. Details like what chefs look for in a food before preparing it are interesting too. Anything will help, THANK YOU! :)
http://en.wikipedia.org/wiki/Japanese_food\n\nThat is an extensive page about the Japanese cuisine, as well as background on the art. Some famous Japanese dishes, as said in the site, are:\n\nDeep-Fried dishes (Agemono)\n\n * Korokke (croquette) - breaded and deep-fried balls of mashed potato with creamy vegetable, seafood, or meat-flavored fillings.\n * Kushiage - meat deep fried on a skewer.\n * Tempura - battered and deep-fried vegetables, seafood, and meat.\n * Tonkatsu - deep-fried breaded cutlet of pork (chicken versions called chicken katsu).\nDonburi\n\nA one-bowl dish of hot steamed rice with various savory toppings\n\n * Katsudon - deep-fried breaded cutlet of pork (tonkatsudon), chicken (chicken katsudon) or fish (e.g., magurodon)\n * Oyakodon - (Parent and Child) Usually chicken and egg but sometimes salmon and salmon roe\n * Gyūdon - seasoned beef\n * Tempuradon - battered, deep fried bite-sized foods\nGrilled and pan-fried dishes (Yakimono)\n\n * Gyoza - Chinese dumplings (potstickers), usually filled with pork and vegetables\n * Hamachi Kama - grilled yellow tail tuna jaw and cheek bone\n * Kushiyaki - meat and vegetable kebabs\n * Okonomiyaki - pan-fried batter cakes with various savory toppings (see also Okonomiyaki restaurants)\n * Omu-Raisu - i.e. "omelette rice", a fried ketchup-flavored rice sandwiched with a thinly spread beaten egg or covered with a plain egg omelette\n * Omu-Soba - an omelette with yakisoba as its filling\n * Takoyaki - a spherical, fried dumpling of batter with a piece of octopus inside\n * Teriyaki - grilled, broiled, or pan-fried meat, fish, chicken or vegetables glazed with a sweetened soy sauce\n * Unagi, including kabayaki - grilled and flavored eel\n * Yakisoba - Japanese style fried noodles\n * Yakitori - chicken kebabs\nNabemono (one pot cooking)\n\n * Sukiyaki - mixture of noodles, thinly sliced beef, egg and vegetables boiled in a special sauce made of fish broth, soy sauce, sugar and sake\n * Shabu-shabu - noodles, vegetables and shrimp or thinly sliced beef boiled in a thin stock and dipped in a soy or sesame sauce before eating\n * Motsunabe - cow intestine, hakusai (bok choi) and various vegetables are cooked in a light soup base\n * Kimuchinabe - similar to motsunabe, except with a kimuchi base and using thinly sliced pork. Kimchi is a traditional Korean dish, but it has also become very popular in Japan, particularly in the southern island of Kyushu, which is situated closest to South Korea\n * Oden\n * Nikujaga, a Japanese version of beef stew.\nNoodles (men-rui)\n\nNoodles often take the place of rice in a meal. However, the Japanese appetite for rice is so strong that many restaurants even serve ramen-rice combination sets.\n\n * Soba - thin brown buckwheat noodles served chilled with various toppings or in hot broth\n * Ramen - thin light yellow noodle served in hot broth with various toppings; of Chinese origin, it is a popular and common item in Japan\n * Udon - thick wheat noodle served with various toppings or in a hot shoyu and dashi broth\n * Champon - yellow noodles of medium thickness served with a great variety of seafood and vegetable toppings in a hot broth which originated in Nagasaki as a cheap food for students\n * Somen\n * Okinawa soba - a wheat-flour noodle often served with sōki, steamed pork\nOther\n\n * Agedashi tofu - cubes of deep-fried silken tofu served in hot broth\n * Bento or Obento - combination meal served in a wooden box\n * Hiyayakko - cold tofu dish\n * Osechi - traditional food eaten at the New Year\n * Natto - fermented soybeans, stringy like melted cheese, infamous amongst non-Japanese for its strong smell and slippery texture. Often eaten for breakfast. Typically popular in Kanto and less so in Kansai\n * Shiokara - salty fermented viscera\n * Chawan mushi - meat (seafood and/or chicken) and vegetables boil
1,202
We are looking for detailed information on native Japanese foods. Can anyone help?Sixth-grade report on Japan. We want to know about foods, meals, snacks etc. that are commonplace in Japan, and any info like how they got started, what and how they are made, whether theyare holiday traditional, whatever. Details like what chefs look for in a food before preparing it are interesting too. Anything will help, THANK YOU! :)http://en.wikipedia.org/wiki/Japanese_food\n\nThat is an extensive page about the Japanese cuisine, as well as background on the art. Some famous Japanese dishes, as said in the site, are:\n\nDeep-Fried dishes (Agemono)\n\n * Korokke (croquette) - breaded and deep-fried balls of mashed potato with creamy vegetable, seafood, or meat-flavored fillings.\n * Kushiage - meat deep fried on a skewer.\n * Tempura - battered and deep-fried vegetables, seafood, and meat.\n * Tonkatsu - deep-fried breaded cutlet of pork (chicken versions called chicken katsu).\nDonburi\n\nA one-bowl dish of hot steamed rice with various savory toppings\n\n * Katsudon - deep-fried breaded cutlet of pork (tonkatsudon), chicken (chicken katsudon) or fish (e.g., magurodon)\n * Oyakodon - (Parent and Child) Usually chicken and egg but sometimes salmon and salmon roe\n * Gyūdon - seasoned beef\n * Tempuradon - battered, deep fried bite-sized foods\nGrilled and pan-fried dishes (Yakimono)\n\n * Gyoza - Chinese dumplings (potstickers), usually filled with pork and vegetables\n * Hamachi Kama - grilled yellow tail tuna jaw and cheek bone\n * Kushiyaki - meat and vegetable kebabs\n * Okonomiyaki - pan-fried batter cakes with various savory toppings (see also Okonomiyaki restaurants)\n * Omu-Raisu - i.e. "omelette rice", a fried ketchup-flavored rice sandwiched with a thinly spread beaten egg or covered with a plain egg omelette\n * Omu-Soba - an omelette with yakisoba as its filling\n * Takoyaki - a spherical, fried dumpling of batter with a piece of octopus inside\n * Teriyaki - grilled, broiled, or pan-fried meat, fish, chicken or vegetables glazed with a sweetened soy sauce\n * Unagi, including kabayaki - grilled and flavored eel\n * Yakisoba - Japanese style fried noodles\n * Yakitori - chicken kebabs\nNabemono (one pot cooking)\n\n * Sukiyaki - mixture of noodles, thinly sliced beef, egg and vegetables boiled in a special sauce made of fish broth, soy sauce, sugar and sake\n * Shabu-shabu - noodles, vegetables and shrimp or thinly sliced beef boiled in a thin stock and dipped in a soy or sesame sauce before eating\n * Motsunabe - cow intestine, hakusai (bok choi) and various vegetables are cooked in a light soup base\n * Kimuchinabe - similar to motsunabe, except with a kimuchi base and using thinly sliced pork. Kimchi is a traditional Korean dish, but it has also become very popular in Japan, particularly in the southern island of Kyushu, which is situated closest to South Korea\n * Oden\n * Nikujaga, a Japanese version of beef stew.\nNoodles (men-rui)\n\nNoodles often take the place of rice in a meal. However, the Japanese appetite for rice is so strong that many restaurants even serve ramen-rice combination sets.\n\n * Soba - thin brown buckwheat noodles served chilled with various toppings or in hot broth\n * Ramen - thin light yellow noodle served in hot broth with various toppings; of Chinese origin, it is a popular and common item in Japan\n * Udon - thick wheat noodle served with various toppings or in a hot shoyu and dashi broth\n * Champon - yellow noodles of medium thickness served with a great variety of seafood and vegetable toppings in a hot broth which originated in Nagasaki as a cheap food for students\n * Somen\n * Okinawa soba - a wheat-flour noodle often served with sōki, steamed pork\nOther\n\n * Agedashi tofu - cubes of deep-fried silken tofu served in hot broth\n * Bento or Obento - combination meal served in a wooden box\n * Hiyayakko - cold tofu dish\n * Osechi - traditional food eaten at the New Year\n * Natto - fermented soybeans, stringy like melted cheese, infamous amongst non-Japanese for its strong smell and slippery texture. Often eaten for breakfast. Typically popular in Kanto and less so in Kansai\n * Shiokara - salty fermented viscera\n * Chawan mushi - meat (seafood and/or chicken) and vegetables boil
Society & Culture
172,062
0Society & Culture
What did St. Abigail do to become a saint?
ABIGAIL\nMemorial \n1 September \nProfile \nJewish laywoman. Wife of King David. Old Testament matriarch. One of the seven women considered a prophet by the Talmudic scholars. \nBorn \nc.1000 BC \nDied \nc.950 BC \nCanonized \nPre-Congregation \nHard Copy \nprinter friendly version \nTranslate \nespañol | français | deutsch | italiano | português \nReadings \nThen Abigail made haste and took two hundred loaves, and two vessels of wine, and five sheep ready dressed, and five measures of parched corn, and a hundred clusters of raisins, and two hundred cakes of dry figs, and laid them upon asses: And she said to her servants: Go before me: behold, I will follow after you: but she told not her husband, Nabal. And when she had gotten upon an ass, and was coming down to the foot of the mountain, David and his men came down over against her, and she met them. And David said: Truly in vain have I kept all that belonged to this fellow in the wilderness, and nothing was lost of all that pertained unto him: and he hath returned me evil for good. May God do so and so, and add more to the foes of David, if I leave of all that belong to him till the morning, any that pisseth against the wall. And when Abigail saw David, she made haste and lighted off the ass, and fell before David, on her face, and adored upon the ground. And she fell at his feet, and said: Upon me let this iniquity be, my lord: let thy handmaid speak, I beseech thee, in thy ears, and hear the words of thy servant. Let not my lord the king, I pray thee, regard this naughty man, Nabal: for according to his name, he is a fool, and folly is with him: but I, thy handmaid, did not see thy servants, my lord, whom thou sentest. Now therefore, my lord, the Lord liveth, and thy soul liveth, who hath withholden thee from coming to blood, and hath saved thy hand to thee: and now let thy enemies be as Nabal, and all they that seek evil to my lord. Wherefore receive this blessing, which thy handmaid hath brought to thee, my lord: and give it to the young men that follow thee, my lord. Forgive the iniquity of thy handmaid: for the Lord will surely make for my lord a faithful house, because thou, my lord, fightest the battles of the Lord: let not evil therefore be found in thee all the days of thy life. For if a man at any time shall rise, and persecute thee, and seek thy life, the soul of my lord shall be kept, as in the bundle of the living, with the Lord thy God: but the souls of thy enemies shall be whirled, as with the violence and whirling of a sling. And when the Lord shall have done to thee, my lord, all the good that he hath spoken concerning thee, and shall have made thee prince over Israel, This shall not be an occasion of grief to thee, and a scruple of heart to my lord, that thou hast shed innocent blood, or hast revenged thyself: and when the Lord shall have done well by my lord, thou shalt remember thy handmaid. \n\nAnd David said to Abigail: Blessed be the Lord the God of Israel, who sent thee this day to meet me, and blessed be thy speech: And blessed be thou, who hast kept me to day from coming to blood, and revenging me with my own hand. Otherwise, as the Lord liveth, the God of Israel, who hath withholden me from doing thee any evil, if thou hadst not quickly come to meet me, there had not been left to Nabal by the morning light, any that pisseth against the wall. And David received at her hand all that she had brought him, and said to her: Go in peace into thy house, behold I have heard thy voice, and honoured thy face. \n\nAnd Abigail came to Nabal: and behold he had a feast in his house, like the feast of a king: and Nabal's heart was merry, for he was very drunk: and she told him nothing less or more until morning. But early in the morning, when Nabal had digested his wine, his wife told him these words, and his heart died within him, and he became as a stone. And after ten days had passed, the Lord struck Nabal, and he died. And when David had heard that Na
1,041
What did St. Abigail do to become a saint?ABIGAIL\nMemorial \n1 September \nProfile \nJewish laywoman. Wife of King David. Old Testament matriarch. One of the seven women considered a prophet by the Talmudic scholars. \nBorn \nc.1000 BC \nDied \nc.950 BC \nCanonized \nPre-Congregation \nHard Copy \nprinter friendly version \nTranslate \nespañol | français | deutsch | italiano | português \nReadings \nThen Abigail made haste and took two hundred loaves, and two vessels of wine, and five sheep ready dressed, and five measures of parched corn, and a hundred clusters of raisins, and two hundred cakes of dry figs, and laid them upon asses: And she said to her servants: Go before me: behold, I will follow after you: but she told not her husband, Nabal. And when she had gotten upon an ass, and was coming down to the foot of the mountain, David and his men came down over against her, and she met them. And David said: Truly in vain have I kept all that belonged to this fellow in the wilderness, and nothing was lost of all that pertained unto him: and he hath returned me evil for good. May God do so and so, and add more to the foes of David, if I leave of all that belong to him till the morning, any that pisseth against the wall. And when Abigail saw David, she made haste and lighted off the ass, and fell before David, on her face, and adored upon the ground. And she fell at his feet, and said: Upon me let this iniquity be, my lord: let thy handmaid speak, I beseech thee, in thy ears, and hear the words of thy servant. Let not my lord the king, I pray thee, regard this naughty man, Nabal: for according to his name, he is a fool, and folly is with him: but I, thy handmaid, did not see thy servants, my lord, whom thou sentest. Now therefore, my lord, the Lord liveth, and thy soul liveth, who hath withholden thee from coming to blood, and hath saved thy hand to thee: and now let thy enemies be as Nabal, and all they that seek evil to my lord. Wherefore receive this blessing, which thy handmaid hath brought to thee, my lord: and give it to the young men that follow thee, my lord. Forgive the iniquity of thy handmaid: for the Lord will surely make for my lord a faithful house, because thou, my lord, fightest the battles of the Lord: let not evil therefore be found in thee all the days of thy life. For if a man at any time shall rise, and persecute thee, and seek thy life, the soul of my lord shall be kept, as in the bundle of the living, with the Lord thy God: but the souls of thy enemies shall be whirled, as with the violence and whirling of a sling. And when the Lord shall have done to thee, my lord, all the good that he hath spoken concerning thee, and shall have made thee prince over Israel, This shall not be an occasion of grief to thee, and a scruple of heart to my lord, that thou hast shed innocent blood, or hast revenged thyself: and when the Lord shall have done well by my lord, thou shalt remember thy handmaid. \n\nAnd David said to Abigail: Blessed be the Lord the God of Israel, who sent thee this day to meet me, and blessed be thy speech: And blessed be thou, who hast kept me to day from coming to blood, and revenging me with my own hand. Otherwise, as the Lord liveth, the God of Israel, who hath withholden me from doing thee any evil, if thou hadst not quickly come to meet me, there had not been left to Nabal by the morning light, any that pisseth against the wall. And David received at her hand all that she had brought him, and said to her: Go in peace into thy house, behold I have heard thy voice, and honoured thy face. \n\nAnd Abigail came to Nabal: and behold he had a feast in his house, like the feast of a king: and Nabal's heart was merry, for he was very drunk: and she told him nothing less or more until morning. But early in the morning, when Nabal had digested his wine, his wife told him these words, and his heart died within him, and he became as a stone. And after ten days had passed, the Lord struck Nabal, and he died. And when David had heard that Na
Society & Culture
172,416
0Society & Culture
is it realy hard to understand the purpose of every relegion(s) and what we call holy book(s)??
why do people always ask such questions like "is this religion evil?" or "do this religion realy teaches the correct god to worship or ways to do?"\nis it because -they are afraid to choose a religion that's not realy whorship a holy god or a real god, and maybe a religion that's like such cults, or maybe they are just afraid to know that what they do is wrong- \nor is it because -they realy does'nt have such faith to belive in books- (because in literal, books are only written by a person or persons to make a record of what they believe is true, so that other persons can read and learn those beliefs -but it is up to the readers if they will or not believe and accept such knowledge-)\ni just wanna ask other people if they realy are knowledgable enough to judge everything?
First what is a Holy book and what makes it Holy? Can mankind just say a book is holy and that is it? Is that national law, international, universal law, or is it some greater law of a greater area greater than the universe? \n\nDon't mind me I am always confused for I at times don't have any idea what is really being considered but I don't want to offend anyone. Maybe I should just stand by so others will think I am wise but us stupid people do like to show it and ask questions to affirm it.\n\nI may be wrong but I think that a Holy book is holy cause one says or thinks its Holy. I have two books that I want to use as a comparison. One is a Holy bible cause the word Holy is printed on the cover and the other is not cause the word holy is not printed there. As far as contents both have almost identical words and do cause the same thoughts to come to mind when I read them one at a time or compare them side by side. Of course it ain't over till its orer so I will just wait. Maybe that Holy book will eat up that other book or make that other book just disappear - who knows. It seems all things do in their time occur and Mr Murphy says if it can it will. So I will be patient.\n\nI do respect another who wants to have a Holy Book - that is his choice and I only ask him to respect my position of not doing so and I will respect his position of his choice. Please no war and let us do reason together rather than fight insisting one or the other is wrong or right. Does it really matter anyway?\n\nReally is it the fact the book is considered Holy or is it in the fact of how one does radiate the effect of the book to others? Is it not in the glow of a lamp that does provide the light so one can know the lamp is turned on and of value or not of value for those who want to stay in the dark. Again I am just making comments and might be wrong again. so just take it as a value if such is to you. If not just ignore it like most other things that do exist all around to be used or atleast observed.\n\nI personally do see a light far away if I am in the dark but in the light some times I have a hard time seeing for sure if the light is on or not. Yes I do wear glasses so maybe that is the reason.\n\nAll of this is to say in my opinion that the word Holy is not the issue or fact. It is how others relate relative to one another whether considered brothers.\n, created, evolved, christian, muslim, or from another named or unnamed division or classification. Why not learn to reason together and let each follow his own Holy Book or not holy book and try to understnd it takes all the unique snow flakes to make a snowman. Ha Ha but a little heat from the sun will make him a puddle of water so the grass can grow after the cold if such was or is on schedule by the One in control if in fact one does accept there is one in control.\n\nIn conclusion In my opinion its not the book that is hard to understand and religion will never be understood. Its in the words the books put on display and the ways they are used that seems to present this hard to understand factor. A baby is very self-centered at birth and that is what the book called the bible says. Likewise all things will pass away and that is what the bible says as I read it. See its simple without those big big words like religion, spiritual, belief, position, Holy, and all that complicated stuff. Learn to be in a manner like a baby knowing if it does seek and seek it will in one way or another get a return. [note I did not say be self-cantered or exactly like a baby] So keep it simple and one will find the simple stuff in understanding. Don't take the simple and twist it all up in a complicated never to be understood package and for a new religion. Seems there is enough of that and enough Holy Books.
1,080
is it realy hard to understand the purpose of every relegion(s) and what we call holy book(s)??why do people always ask such questions like "is this religion evil?" or "do this religion realy teaches the correct god to worship or ways to do?"\nis it because -they are afraid to choose a religion that's not realy whorship a holy god or a real god, and maybe a religion that's like such cults, or maybe they are just afraid to know that what they do is wrong- \nor is it because -they realy does'nt have such faith to belive in books- (because in literal, books are only written by a person or persons to make a record of what they believe is true, so that other persons can read and learn those beliefs -but it is up to the readers if they will or not believe and accept such knowledge-)\ni just wanna ask other people if they realy are knowledgable enough to judge everything?First what is a Holy book and what makes it Holy? Can mankind just say a book is holy and that is it? Is that national law, international, universal law, or is it some greater law of a greater area greater than the universe? \n\nDon't mind me I am always confused for I at times don't have any idea what is really being considered but I don't want to offend anyone. Maybe I should just stand by so others will think I am wise but us stupid people do like to show it and ask questions to affirm it.\n\nI may be wrong but I think that a Holy book is holy cause one says or thinks its Holy. I have two books that I want to use as a comparison. One is a Holy bible cause the word Holy is printed on the cover and the other is not cause the word holy is not printed there. As far as contents both have almost identical words and do cause the same thoughts to come to mind when I read them one at a time or compare them side by side. Of course it ain't over till its orer so I will just wait. Maybe that Holy book will eat up that other book or make that other book just disappear - who knows. It seems all things do in their time occur and Mr Murphy says if it can it will. So I will be patient.\n\nI do respect another who wants to have a Holy Book - that is his choice and I only ask him to respect my position of not doing so and I will respect his position of his choice. Please no war and let us do reason together rather than fight insisting one or the other is wrong or right. Does it really matter anyway?\n\nReally is it the fact the book is considered Holy or is it in the fact of how one does radiate the effect of the book to others? Is it not in the glow of a lamp that does provide the light so one can know the lamp is turned on and of value or not of value for those who want to stay in the dark. Again I am just making comments and might be wrong again. so just take it as a value if such is to you. If not just ignore it like most other things that do exist all around to be used or atleast observed.\n\nI personally do see a light far away if I am in the dark but in the light some times I have a hard time seeing for sure if the light is on or not. Yes I do wear glasses so maybe that is the reason.\n\nAll of this is to say in my opinion that the word Holy is not the issue or fact. It is how others relate relative to one another whether considered brothers.\n, created, evolved, christian, muslim, or from another named or unnamed division or classification. Why not learn to reason together and let each follow his own Holy Book or not holy book and try to understnd it takes all the unique snow flakes to make a snowman. Ha Ha but a little heat from the sun will make him a puddle of water so the grass can grow after the cold if such was or is on schedule by the One in control if in fact one does accept there is one in control.\n\nIn conclusion In my opinion its not the book that is hard to understand and religion will never be understood. Its in the words the books put on display and the ways they are used that seems to present this hard to understand factor. A baby is very self-centered at birth and that is what the book called the bible says. Likewise all things will pass away and that is what the bible says as I read it. See its simple without those big big words like religion, spiritual, belief, position, Holy, and all that complicated stuff. Learn to be in a manner like a baby knowing if it does seek and seek it will in one way or another get a return. [note I did not say be self-cantered or exactly like a baby] So keep it simple and one will find the simple stuff in understanding. Don't take the simple and twist it all up in a complicated never to be understood package and for a new religion. Seems there is enough of that and enough Holy Books.
Society & Culture
173,058
8Family & Relationships
How can you get a man to be more experienced in bed? How I can I get him to try knew things?
my male companion only knows how to have sex one way and he is so use to looking at pornos that's all he know he thinks that is the way to do it bang,bang, bang and he's done. I want to show him some things and I don't know how to approach him with the things I want to do, Do you have any suggestions?
Living Out the Top 3 Female Fantasies\nSex life feeling a bit stale? Well, there's one sexual organ most people neglect: the brain. And it's your passport back to Sexual Nirvana. Literally millions of us secretly use fantasies during masturbation, and some of us use them to achieve orgasm during sex. So why not own up to your favorites and act them out with your partner for what could be the lustiest sex you've had in years? Just follow this step-by-step guide.\nFantasy #1: He's a virgin - and you're Mrs. Robinson\nWhy it appeals to you: It's a power game and "forbidden" sex for both parties, which is always a guaranteed libido-lifter.\nWhat you'll need: A "sexy secretary"-type outfit works for this one: a long pencil skirt, shirt unbuttoned to show off a push-up bra, stockings and high heels.\nThe action plan:\nThe trick to this one is to move very slowly at first. You're seducing him, and he's struggling - torn between ripping off your clothes and worrying about the consequences. (What will his mom say if she finds out? Is she really seducing him or is he reading too much into it?) Say you're going to fix a drink for each of you, then lead him into the lounge room with your drinks. He sits on the couch, you sit on a chair opposite, crossing your legs and hiking your skirt high. He's not sure where to look. Make general chit-chat (the sort of stuff you'd ask your son's friend, if you have/had a teenager), then take the conversation to another - saucier - level. Tell him you don't think your husband finds you attractive anymore. Ask him, Does he think you're attractive? What bits? Why? Let him squirm with embarrassment as he tries to be diplomatic - and tries to hide his erection.\nAt that point you say, You seem a little uncomfortable and move from the chair to sit beside him on the couch. Loosen the first two buttons of his shirt and rub the back of your hand against his exposed chest saying, Such soft skin. So unlike my husband's. As he squirms, undo the top few buttons of your shirt, take his hand and place it on your breast. Ask him if he likes that.\nIn between your lurid requests and actions, keep making small talk. Ask him if he's ever made love to a woman before. He'll squeak out a no. Ask him if he'd like to make love to you, and tell him it's okay - you won't tell. Ask him to take off your top and your bra. Tell him to touch your breasts and instruct him on how you like to be touched. Moan and sigh, but remember: You're still the grown-up - so not too out of control. Ask him to stand up in front of you and unzip his pants. Admire his body, compliment it, say how hard it is, then give him exquisitely tortuous oral sex - stopping just short of orgasm.\nUndress yourself theatrically while maintaining eye contact. Let his eyes caress your body, but don't let him touch you. Leave on your high heels and stockings. Pose provocatively and caress your curves. Ask him if he likes what he sees and if he wants to touch you. Then undress him, kissing each bit of his flesh as it becomes exposed. When you're both naked, lead him to the bed, then explain exactly how to make a woman scream in ecstasy. Each touch, kiss, fondle and thrust is his very first, remember. The fantasy ends when he completely loses control - which should happen within about, ohhh, three minutes if you've played your part properly!\n\nFantasy #2: He's your sex slave\nWhy it appeals to you: Having someone at your sexual beck and call has obvious benefits. You don't have to worry about the "no, you first honey" niceties of sex; it's all about your pleasure, and your pleasure alone.\nWhy he'll love it too: Something happens to women during this scenario; they start suggesting things they wouldn't dare during "normal" lovemaking. Who wouldn't love a wild woman in his bed?\nWhat you'll need
1,037
How can you get a man to be more experienced in bed? How I can I get him to try knew things?my male companion only knows how to have sex one way and he is so use to looking at pornos that's all he know he thinks that is the way to do it bang,bang, bang and he's done. I want to show him some things and I don't know how to approach him with the things I want to do, Do you have any suggestions?Living Out the Top 3 Female Fantasies\nSex life feeling a bit stale? Well, there's one sexual organ most people neglect: the brain. And it's your passport back to Sexual Nirvana. Literally millions of us secretly use fantasies during masturbation, and some of us use them to achieve orgasm during sex. So why not own up to your favorites and act them out with your partner for what could be the lustiest sex you've had in years? Just follow this step-by-step guide.\nFantasy #1: He's a virgin - and you're Mrs. Robinson\nWhy it appeals to you: It's a power game and "forbidden" sex for both parties, which is always a guaranteed libido-lifter.\nWhat you'll need: A "sexy secretary"-type outfit works for this one: a long pencil skirt, shirt unbuttoned to show off a push-up bra, stockings and high heels.\nThe action plan:\nThe trick to this one is to move very slowly at first. You're seducing him, and he's struggling - torn between ripping off your clothes and worrying about the consequences. (What will his mom say if she finds out? Is she really seducing him or is he reading too much into it?) Say you're going to fix a drink for each of you, then lead him into the lounge room with your drinks. He sits on the couch, you sit on a chair opposite, crossing your legs and hiking your skirt high. He's not sure where to look. Make general chit-chat (the sort of stuff you'd ask your son's friend, if you have/had a teenager), then take the conversation to another - saucier - level. Tell him you don't think your husband finds you attractive anymore. Ask him, Does he think you're attractive? What bits? Why? Let him squirm with embarrassment as he tries to be diplomatic - and tries to hide his erection.\nAt that point you say, You seem a little uncomfortable and move from the chair to sit beside him on the couch. Loosen the first two buttons of his shirt and rub the back of your hand against his exposed chest saying, Such soft skin. So unlike my husband's. As he squirms, undo the top few buttons of your shirt, take his hand and place it on your breast. Ask him if he likes that.\nIn between your lurid requests and actions, keep making small talk. Ask him if he's ever made love to a woman before. He'll squeak out a no. Ask him if he'd like to make love to you, and tell him it's okay - you won't tell. Ask him to take off your top and your bra. Tell him to touch your breasts and instruct him on how you like to be touched. Moan and sigh, but remember: You're still the grown-up - so not too out of control. Ask him to stand up in front of you and unzip his pants. Admire his body, compliment it, say how hard it is, then give him exquisitely tortuous oral sex - stopping just short of orgasm.\nUndress yourself theatrically while maintaining eye contact. Let his eyes caress your body, but don't let him touch you. Leave on your high heels and stockings. Pose provocatively and caress your curves. Ask him if he likes what he sees and if he wants to touch you. Then undress him, kissing each bit of his flesh as it becomes exposed. When you're both naked, lead him to the bed, then explain exactly how to make a woman scream in ecstasy. Each touch, kiss, fondle and thrust is his very first, remember. The fantasy ends when he completely loses control - which should happen within about, ohhh, three minutes if you've played your part properly!\n\nFantasy #2: He's your sex slave\nWhy it appeals to you: Having someone at your sexual beck and call has obvious benefits. You don't have to worry about the "no, you first honey" niceties of sex; it's all about your pleasure, and your pleasure alone.\nWhy he'll love it too: Something happens to women during this scenario; they start suggesting things they wouldn't dare during "normal" lovemaking. Who wouldn't love a wild woman in his bed?\nWhat you'll need
Family & Relationships
173,513
0Society & Culture
Can a Muslim PLEASE explain to me how you can justiry rioting and demanding executions for cartoonsts?
The way I see it, your religion forbids the depiction of Mohammed, Allah, etc., because it leads to idolatry. OK, if that's a rule you want to follow, that's fine with me.\n\nMany Catholics believe they are forbidden from eating meat on Friday, but if a Muslim decided to chomp on a mutton Shawarma, there wouldn't be riots over it.\n\nMy point is that it is a belief of YOUR religion that YOU cannot depict YOUR god or prophet - please explain to me how you can fairly extend this rule to the other 5 billion people on the planet.\n\nIf you feel insulted, OK - but again, does that justify calling for executions of non-believers? Can you see why Westerners are VERY concerned with your religion?\n\nI hope this question doesn't seem too pointed. I'm trying to not lecture. I'm really interested in understanding why violence is ALWAYS the first option in your culture.
If you are frank in your question, here is a frank answer from a Muslim:\n\nYes, ‘violence’ seems to be the first option in Muslim populated countries. \n\n1. Most of the Muslim population in the world has lower living standards, more socio-economic problems in comparison with Western population. The extremists are usually belong to the lowest income level and uneducated. Religion is the only thing for them to hold on in life and only way to satisfy the ‘being a part of something bigger than them’. Therefore, their belief and devotion are easily misused by Muslim and Non-Muslim opportunists/leaders/ politicians who benefit from the sparks/rows/conflicts. \n\n2. For these groups, violence is the only way of ‘reaction’ and also comes to scene with the support of opportunists. On the other hand, some of them, of course, know the other ways of ‘reaction’ or ‘opposition’ but don’t believe that they are going to work anymore.\n\nI didn’t like the cartoons also. I am not planning to take gun and bust an embassy but I am not planning to protest it in any other proper way also. Frankly, I do not think that it will make any difference or contribute to any debate. In this part of the world, lots of things go wrong, which western countries, especially U.S have a major role. For sure, being insulted by cartoons cannot be a justification of violence. Two wrong does not make one right. What about Palestine ? This should be applicable there also. What is the justification of the violence, especially to the women & children and by the hand of a government? Does two wrong make one right there? Recent election showed that today consderable number of people in Palestine support Hamas. Why? They has been suffering for years, waiting to be heard by the ones who has been lecturing them the human rights. Today not only a group of terrosits but the majority does not believe a solution/reaction any other than violence. What about Iran Nuclear Row ? I am not happy with the idea of Iran having Nuclear bombs. But also I don’t understand why U.S, Israil can develop it but Iran cannot. As for conclusion, from our standing point, it looks like there is a western hypocrisy in many cases. I believe that most of the Muslims lost the belief to western world, their system of values and understanding of democracy and most importantly they lost the belief to the other ways of ‘being heard’, ‘react’ and ‘make difference’ \n \n3. I believe that the cartoons are not the reason of this violence but the excuse. \n\nPiled up anger found a crack to explode. This part of the world is bleeding. Palastine, Afganhistan, Iraq. Do you think that we are happy living in region of wars? \nI thought that Syria going to be next but it looks like it is going to be Iran. May be after Iran and Syria, it is going to be turn of my country. I personally show a serious effort not to provide any excuse to U.S. and Britain to sweep away my country and also try not to complain a lot about my country in order not to provide them any opportunity to come and rescue me and equip me with their understanding of democracy (!)\n\nI think most of the Muslims living in this part of the world are angry in some extent to U.S and Western countries because of their middle east ambition, because of interference which is obviously not contributing the peace in the region. Therefore, I believe that although the cartoons have serious role in reaction, it seems like they are mostly an excuse for violence. \n\nThe most interesting thing in this picture is that they discharged their anger to European countries although it is well known that there is certain anger even hatred against U.S in most of the Muslim countries. In this case, the U.S., country of freedom, stepped back in a case of ‘freedom of expression’ , criticized the cartoons and didn’t want contribute a supporting debate that insulting Muslims, which is very touching by the way (!) \n\nThere can
1,118
Can a Muslim PLEASE explain to me how you can justiry rioting and demanding executions for cartoonsts?The way I see it, your religion forbids the depiction of Mohammed, Allah, etc., because it leads to idolatry. OK, if that's a rule you want to follow, that's fine with me.\n\nMany Catholics believe they are forbidden from eating meat on Friday, but if a Muslim decided to chomp on a mutton Shawarma, there wouldn't be riots over it.\n\nMy point is that it is a belief of YOUR religion that YOU cannot depict YOUR god or prophet - please explain to me how you can fairly extend this rule to the other 5 billion people on the planet.\n\nIf you feel insulted, OK - but again, does that justify calling for executions of non-believers? Can you see why Westerners are VERY concerned with your religion?\n\nI hope this question doesn't seem too pointed. I'm trying to not lecture. I'm really interested in understanding why violence is ALWAYS the first option in your culture.If you are frank in your question, here is a frank answer from a Muslim:\n\nYes, ‘violence’ seems to be the first option in Muslim populated countries. \n\n1. Most of the Muslim population in the world has lower living standards, more socio-economic problems in comparison with Western population. The extremists are usually belong to the lowest income level and uneducated. Religion is the only thing for them to hold on in life and only way to satisfy the ‘being a part of something bigger than them’. Therefore, their belief and devotion are easily misused by Muslim and Non-Muslim opportunists/leaders/ politicians who benefit from the sparks/rows/conflicts. \n\n2. For these groups, violence is the only way of ‘reaction’ and also comes to scene with the support of opportunists. On the other hand, some of them, of course, know the other ways of ‘reaction’ or ‘opposition’ but don’t believe that they are going to work anymore.\n\nI didn’t like the cartoons also. I am not planning to take gun and bust an embassy but I am not planning to protest it in any other proper way also. Frankly, I do not think that it will make any difference or contribute to any debate. In this part of the world, lots of things go wrong, which western countries, especially U.S have a major role. For sure, being insulted by cartoons cannot be a justification of violence. Two wrong does not make one right. What about Palestine ? This should be applicable there also. What is the justification of the violence, especially to the women & children and by the hand of a government? Does two wrong make one right there? Recent election showed that today consderable number of people in Palestine support Hamas. Why? They has been suffering for years, waiting to be heard by the ones who has been lecturing them the human rights. Today not only a group of terrosits but the majority does not believe a solution/reaction any other than violence. What about Iran Nuclear Row ? I am not happy with the idea of Iran having Nuclear bombs. But also I don’t understand why U.S, Israil can develop it but Iran cannot. As for conclusion, from our standing point, it looks like there is a western hypocrisy in many cases. I believe that most of the Muslims lost the belief to western world, their system of values and understanding of democracy and most importantly they lost the belief to the other ways of ‘being heard’, ‘react’ and ‘make difference’ \n \n3. I believe that the cartoons are not the reason of this violence but the excuse. \n\nPiled up anger found a crack to explode. This part of the world is bleeding. Palastine, Afganhistan, Iraq. Do you think that we are happy living in region of wars? \nI thought that Syria going to be next but it looks like it is going to be Iran. May be after Iran and Syria, it is going to be turn of my country. I personally show a serious effort not to provide any excuse to U.S. and Britain to sweep away my country and also try not to complain a lot about my country in order not to provide them any opportunity to come and rescue me and equip me with their understanding of democracy (!)\n\nI think most of the Muslims living in this part of the world are angry in some extent to U.S and Western countries because of their middle east ambition, because of interference which is obviously not contributing the peace in the region. Therefore, I believe that although the cartoons have serious role in reaction, it seems like they are mostly an excuse for violence. \n\nThe most interesting thing in this picture is that they discharged their anger to European countries although it is well known that there is certain anger even hatred against U.S in most of the Muslim countries. In this case, the U.S., country of freedom, stepped back in a case of ‘freedom of expression’ , criticized the cartoons and didn’t want contribute a supporting debate that insulting Muslims, which is very touching by the way (!) \n\nThere can
Society & Culture
173,566
2Health
Why do people smoke?
Dennis Leary says it best...\n\nI'm An Asshole - Dennis Leary\nFolks \nI'd like to sing a song about the American Dream \nAbout me \nAbout you \nAbout the way our American hearts beat way down in the bottoms of our chests \nAbout that special feeling we get in the cockles of our hearts \nOr maybe below the cockles \nMaybe in the sub-cockle area \nMaybe in the liver \nMaybe in the kidneys \nMaybe even in the colon \nWe don't know \n\nI'm just a regular joe \nWith a regular job \nI'm your average white \nSuburbanite slob \nI like football, and porno, and books about war \nI've got an average house \nWith a nice hardwood floor \nMy wife, and my job \nMy kids, and my car \nMy feet on my table \nAnd a Cuban cigar \nBut sometimes that just ain't enough \nTo keep a man like me interested \nOh no, no way, uh uhh \nNo, I gotta go out and have fun \nAt someone else's expense \nOh yeah, yeah yeah, yeah yeah yeah \n\nI drive really slow \nIn the ultra-fast lane \nWhile people behind me are going insane \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's an asshole, such an asshole) \n\nI use public toilets \nAnd I piss on the seat \nI walk around in the summer time sayin', "How about this heat?" \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's the worlds biggest asshole) \n\nSometimes I park in the handicapped spaces \nWhile handicapped people \nMake handicapped faces \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's a real fucking asshole) \n\nMaybe I shouldn't be singin' this song \nRanting and raving and carrying on \nMaybe they're right when they tell me I'm wrong... \n... \nNAAAHHHHH! \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's the world's biggest asshole) \n\nYou know what I'm gonna do? \nI'm gonna get myself a 1967 Cadilac El Dorado Convertable \nHot pink! \nWith whale skin hub caps \nAn all leather cow interior \nAnd big brown baby seal eyes for headlights \nYEAH! \nAnd I'm gonna drive around in that baby \nAt 115 miles per hour \nGetting one mile per gallon \nSucking down Quarter Pounder cheeseburgers from McDonalds in the old-fashioned non-biodegradable Styrofoam containers \nAnd when I'm done sucking down those grease-ball burgers \nI'm gonna wipe my mouth with the American flag \nAnd then I'm gonna toss the Styrofoam containers right out the side \nAnd there ain't a Goddamn thing anybody can do about it \nYou know why? \n'Cause we got the bombs, that's why! \nTwo words: Nuclear Fuckin' Weapons \nOkay!? \nRussia, Germany, Romania \nThey can have all the Democracy they want \nThey can have a big Democracy cake walk \nRight through the middle of Tienemen Square \nAnd it won't make a lick of difference \nBecause we got the bombs \nOkay!? \nJohn Wayne's not dead \nHe's frozen! \nAnd as soon as we find a cure for cancer We're gonna thaw out "The Duke" \nAnd he's gonna be pretty pissed off \nYou know why? \nHave you ever taken a cold shower? \nWell, multiply that by 15 million times \nThat's how pissed off "The Duke"'s gonna be \nI'm gonna get "The Duke" \nAnd John Cassavetes \nAnd Lee Marvin \nAnd Sam Peckinpah \nAnd a case of whiskey \nAnd drive down to Texas \nAnd- \n(Hey, Hey! You know you really are an asshole) \nWhy don't you just shut-up and sing the song, pal? \nYou know, the whole time I thought I was that asshole \nAnd it turns out it was him \nWhat an asshole! \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's the worlds biggest asshole) \n\nA - SS - HO - LE! \nEverybody!! \nA - SS - HO - LE! \n\n*dog barking noises* \n\nI'm an asshole and proud of it!
1,112
Why do people smoke?Dennis Leary says it best...\n\nI'm An Asshole - Dennis Leary\nFolks \nI'd like to sing a song about the American Dream \nAbout me \nAbout you \nAbout the way our American hearts beat way down in the bottoms of our chests \nAbout that special feeling we get in the cockles of our hearts \nOr maybe below the cockles \nMaybe in the sub-cockle area \nMaybe in the liver \nMaybe in the kidneys \nMaybe even in the colon \nWe don't know \n\nI'm just a regular joe \nWith a regular job \nI'm your average white \nSuburbanite slob \nI like football, and porno, and books about war \nI've got an average house \nWith a nice hardwood floor \nMy wife, and my job \nMy kids, and my car \nMy feet on my table \nAnd a Cuban cigar \nBut sometimes that just ain't enough \nTo keep a man like me interested \nOh no, no way, uh uhh \nNo, I gotta go out and have fun \nAt someone else's expense \nOh yeah, yeah yeah, yeah yeah yeah \n\nI drive really slow \nIn the ultra-fast lane \nWhile people behind me are going insane \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's an asshole, such an asshole) \n\nI use public toilets \nAnd I piss on the seat \nI walk around in the summer time sayin', "How about this heat?" \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's the worlds biggest asshole) \n\nSometimes I park in the handicapped spaces \nWhile handicapped people \nMake handicapped faces \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's a real fucking asshole) \n\nMaybe I shouldn't be singin' this song \nRanting and raving and carrying on \nMaybe they're right when they tell me I'm wrong... \n... \nNAAAHHHHH! \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's the world's biggest asshole) \n\nYou know what I'm gonna do? \nI'm gonna get myself a 1967 Cadilac El Dorado Convertable \nHot pink! \nWith whale skin hub caps \nAn all leather cow interior \nAnd big brown baby seal eyes for headlights \nYEAH! \nAnd I'm gonna drive around in that baby \nAt 115 miles per hour \nGetting one mile per gallon \nSucking down Quarter Pounder cheeseburgers from McDonalds in the old-fashioned non-biodegradable Styrofoam containers \nAnd when I'm done sucking down those grease-ball burgers \nI'm gonna wipe my mouth with the American flag \nAnd then I'm gonna toss the Styrofoam containers right out the side \nAnd there ain't a Goddamn thing anybody can do about it \nYou know why? \n'Cause we got the bombs, that's why! \nTwo words: Nuclear Fuckin' Weapons \nOkay!? \nRussia, Germany, Romania \nThey can have all the Democracy they want \nThey can have a big Democracy cake walk \nRight through the middle of Tienemen Square \nAnd it won't make a lick of difference \nBecause we got the bombs \nOkay!? \nJohn Wayne's not dead \nHe's frozen! \nAnd as soon as we find a cure for cancer We're gonna thaw out "The Duke" \nAnd he's gonna be pretty pissed off \nYou know why? \nHave you ever taken a cold shower? \nWell, multiply that by 15 million times \nThat's how pissed off "The Duke"'s gonna be \nI'm gonna get "The Duke" \nAnd John Cassavetes \nAnd Lee Marvin \nAnd Sam Peckinpah \nAnd a case of whiskey \nAnd drive down to Texas \nAnd- \n(Hey, Hey! You know you really are an asshole) \nWhy don't you just shut-up and sing the song, pal? \nYou know, the whole time I thought I was that asshole \nAnd it turns out it was him \nWhat an asshole! \n\nI'm an asshole \n(he's an asshole, what an asshole) \nI'm an asshole \n(he's the worlds biggest asshole) \n\nA - SS - HO - LE! \nEverybody!! \nA - SS - HO - LE! \n\n*dog barking noises* \n\nI'm an asshole and proud of it!
Health
174,144
0Society & Culture
How does a Christian today reconcile with Deuteronomy 13:6-10?
"If thy brother, the son of thy mother, or thy son, or thy daughter, or the wife of thy bosom, or thy friend, which is as thine own soul, entice thee secretly, saying, Let us go and serve other gods, which thou hast not known, thou, nor thy fathers;"...\n\n"Thou shalt not consent unto him, nor hearken unto him; neither shall thine eye pity him, neither shalt thou spare, neither shalt thou conceal him:"\n\n"But thou shalt surely kill him; thine hand shall be first upon him to put him to death, and afterwards the hand of all the people."\n\nDoesn't this explicitly state that if you son, wife, or friend invites you to a Pagan ritual or a yoga class that you are required to kill them?\n\nHow do you reconcile your beliefs with this outright call to kill those with different beliefs?
One thing to keep in mind, when reading the O.T. is that even though you read it literally, you must keep in mind the literary context of the passage, and the culture and time it was written in. \nFirst, this was written to a young nation, just coming out of slavery, and facing some formidable enemies.\nSecond, They had seen miracles unike anything any nation before or since, has seen, so they had a higher level of accountability for their actions - For an Israelite of this time to entice another to turn from God would be a great offence, because they were responsible for a huge amount of revelation from God.\n\nI think the modern-day equivalent would be executing a Traitor or a spy - not at all unheard of even in the last century. Because Israel at this time was a Theocracy, idolotry would be the same as becoming an "enemy of the state".\n\nwrathpuppet, I know you don't believe the Bible is God's Word, but you still might consider taking an introductory course on Biblical exegesis - I think you would find it quite interesting (and maybe even profitable).\n\nBackground studies may be divided into two areas — semantics and pragmatics. Semantics is the study of the language of a text, while pragmatics is the study of the circumstances surrounding the individual linguistic expressions. Exegesis must give equal weight to both areas.\n\n(The particular passage in question was a national law for the fledgling nation of Israel, which was a Theocracy remember.)\n\nFinally (and I think this is your main concern in posting this question), there is application - i.e. what does this text tell me to do today? When you have a problem with the application of a verse, passage, etc, remember this: no Scripture is of any private interpretation - Scripture always interprets Scripture, so just keep reading and the application will present itself. In Romans 12:21-13:10 it says \n12:21 Do not be overcome by evil, but overcome evil with good. \n13:1 Let every soul be subject to the governing authorities. For there is no authority except from God, and the authorities that exist are appointed by God.\n2 Therefore whoever resists the authority resists the ordinance of God, and those who resist will bring judgment on themselves.\n3 For rulers are not a terror to good works, but to evil. Do you want to be unafraid of the authority? Do what is good, and you will have praise from the same.\n4 For he is God’s minister to you for good. But if you do evil, be afraid; for he does not bear the sword in vain; for he is God’s minister, an avenger to execute wrath on him who practices evil.\n5 Therefore you must be subject, not only because of wrath but also for conscience’ sake.\n6 For because of this you also pay taxes, for they are God’s ministers attending continually to this very thing.\n7 Render therefore to all their due: taxes to whom taxes are due, customs to whom customs, fear to whom fear, honor to whom honor.\n8 Owe no one anything except to love one another, for he who loves another has fulfilled the law. \n9 For the commandments, “You shall not commit adultery,” “You shall not murder,” “You shall not steal,” “You shall not bear false witness,” “You shall not covet,” and if there is any other commandment, are all summed up in this saying, namely, “You shall love your neighbor as yourself.”\n10 Love does no harm to a neighbor; therefore love is the fulfillment of the law.\n\nSo, there you have the answer, in modern application of the Deuteronomy 13:6-10 \n1. Evil is to be overcome with good, 2. we know that we must obey the governing authority, and the laws they impose, and 3. that we must love our neighbor, it is not good to kill my neighbor, it is unloving to kill my neighbor, and it is unlawful to kill my neighbor.\n\nConclusion: As a Biblical Christian, I must not kill my friend when he invites me to participate in a pagan ritual or attend a yoga session.\n\nP.S. Schneb's study on the Law bel
1,144
How does a Christian today reconcile with Deuteronomy 13:6-10?"If thy brother, the son of thy mother, or thy son, or thy daughter, or the wife of thy bosom, or thy friend, which is as thine own soul, entice thee secretly, saying, Let us go and serve other gods, which thou hast not known, thou, nor thy fathers;"...\n\n"Thou shalt not consent unto him, nor hearken unto him; neither shall thine eye pity him, neither shalt thou spare, neither shalt thou conceal him:"\n\n"But thou shalt surely kill him; thine hand shall be first upon him to put him to death, and afterwards the hand of all the people."\n\nDoesn't this explicitly state that if you son, wife, or friend invites you to a Pagan ritual or a yoga class that you are required to kill them?\n\nHow do you reconcile your beliefs with this outright call to kill those with different beliefs?One thing to keep in mind, when reading the O.T. is that even though you read it literally, you must keep in mind the literary context of the passage, and the culture and time it was written in. \nFirst, this was written to a young nation, just coming out of slavery, and facing some formidable enemies.\nSecond, They had seen miracles unike anything any nation before or since, has seen, so they had a higher level of accountability for their actions - For an Israelite of this time to entice another to turn from God would be a great offence, because they were responsible for a huge amount of revelation from God.\n\nI think the modern-day equivalent would be executing a Traitor or a spy - not at all unheard of even in the last century. Because Israel at this time was a Theocracy, idolotry would be the same as becoming an "enemy of the state".\n\nwrathpuppet, I know you don't believe the Bible is God's Word, but you still might consider taking an introductory course on Biblical exegesis - I think you would find it quite interesting (and maybe even profitable).\n\nBackground studies may be divided into two areas — semantics and pragmatics. Semantics is the study of the language of a text, while pragmatics is the study of the circumstances surrounding the individual linguistic expressions. Exegesis must give equal weight to both areas.\n\n(The particular passage in question was a national law for the fledgling nation of Israel, which was a Theocracy remember.)\n\nFinally (and I think this is your main concern in posting this question), there is application - i.e. what does this text tell me to do today? When you have a problem with the application of a verse, passage, etc, remember this: no Scripture is of any private interpretation - Scripture always interprets Scripture, so just keep reading and the application will present itself. In Romans 12:21-13:10 it says \n12:21 Do not be overcome by evil, but overcome evil with good. \n13:1 Let every soul be subject to the governing authorities. For there is no authority except from God, and the authorities that exist are appointed by God.\n2 Therefore whoever resists the authority resists the ordinance of God, and those who resist will bring judgment on themselves.\n3 For rulers are not a terror to good works, but to evil. Do you want to be unafraid of the authority? Do what is good, and you will have praise from the same.\n4 For he is God’s minister to you for good. But if you do evil, be afraid; for he does not bear the sword in vain; for he is God’s minister, an avenger to execute wrath on him who practices evil.\n5 Therefore you must be subject, not only because of wrath but also for conscience’ sake.\n6 For because of this you also pay taxes, for they are God’s ministers attending continually to this very thing.\n7 Render therefore to all their due: taxes to whom taxes are due, customs to whom customs, fear to whom fear, honor to whom honor.\n8 Owe no one anything except to love one another, for he who loves another has fulfilled the law. \n9 For the commandments, “You shall not commit adultery,” “You shall not murder,” “You shall not steal,” “You shall not bear false witness,” “You shall not covet,” and if there is any other commandment, are all summed up in this saying, namely, “You shall love your neighbor as yourself.”\n10 Love does no harm to a neighbor; therefore love is the fulfillment of the law.\n\nSo, there you have the answer, in modern application of the Deuteronomy 13:6-10 \n1. Evil is to be overcome with good, 2. we know that we must obey the governing authority, and the laws they impose, and 3. that we must love our neighbor, it is not good to kill my neighbor, it is unloving to kill my neighbor, and it is unlawful to kill my neighbor.\n\nConclusion: As a Biblical Christian, I must not kill my friend when he invites me to participate in a pagan ritual or attend a yoga session.\n\nP.S. Schneb's study on the Law bel
Society & Culture
174,300
4Computers & Internet
How to uninstall windows xp sp2?
I have two windows xp oroffeional sp2 on my computer, one pirated and other origina. I first used pirated one and then intalled original one. now i have two pereting systems. so i want to remove one how can i do this?
If you install Windows XP SP2 on a computer that is already running Windows XP SP2, you will create a new uninstall folder on your hard disk drive. This new folder will use 50-100 megabytes of disk space. Every time that you install Windows XP SP2, a new folder is created. \n\nUse any one of the following methods to remove Microsoft Windows XP SP2 from your computer: • Use the Add or Remove Programs tool in Control Panel \n• Use the hidden $NtServicePackUninstall$ folder \n• Use the System Restore process \n• Use Recovery Console \nImportant We recommend that you use the following methods in the order that they are listed.\n Back to the top \n\nUse the Add or Remove Programs tool in Control Panel\n1. Click Start, click Run, type appwiz.cpl in the Open box, and then click OK. \n2. Click to select the Show Updates check box. \n3. Click Windows XP Service Pack 2, and then click Remove. \n4. Follow the instructions on the screen to remove Windows XP SP2. \n\n Back to the top \n\nUse the hidden $NtServicePackUninstall$ folder\n1. Click Start, click Run, type c:&#92;windows&#92;$NtServicePackUninstall$&#92;spuninst&#92;spuninst.exe in the Open box, and then click OK. \n2. When the Windows XP Service Pack 2 Removal Wizard starts, click Next. \n3. Follow the instructions on the screen to remove Windows XP SP2. \n\n Back to the top \n\nUse the System Restore process\n1. Click Start, click Run, type %SystemRoot%&#92;System32&#92;restore&#92;rstrui.exe in the Open box, and then click OK. \n2. Click Restore my computer to an earlier time, and then click Next. \n3. Click the date that you installed Windows XP SP2, and then click Installed Window XP Service Pack 2 in the Restore Point box. \n4. Click Next, and then follow the instructions on the screen to remove Windows XP SP2. \n\n Back to the top \n\nUse Recovery Console\nWarning The following steps contain information about modifying the registry. Before you modify the registry, make sure to back it up, and make sure that you understand how to restore the registry if a problem occurs. For more information about how to back up, restore, and modify the registry, click the following article number to view the article in the Microsoft Knowledge Base: \n256986 (http://support.microsoft.com/kb/256986/) Description of the Microsoft Windows Registry \nIf you use Registry Editor incorrectly, you may cause serious problems that may require that you reinstall your operating system. Microsoft cannot guarantee that you can solve problems that result from using Registry Editor incorrectly. Use Registry Editor at your own risk.\n\nIf you cannot successfully remove Windows XP SP2 by using one of the previous methods, follow these steps: 1. Insert the Windows XP startup disk in your floppy disk drive or insert the Windows XP CD in the CD drive or in the DVD drive, and then restart your computer. \n\nNote When you receive the following message, press a key to start your computer from the Windows XP CD:\nPress any key to boot from CD\n\nNote Your computer must be configured to start from the CD drive or the DVD drive. For more information about how to configure your computer to start from the CD drive or the DVD drive, see the documentation that came with your computer or contact the computer manufacturer. \n2. When you receive the Welcome to Setup message, press R to start the Recovery Console.\n\nNote Multiple options will appear on the screen. \n3. Select the Windows XP installation in question. \n\nNote You must select a number before you press ENTER, or the computer will restart. Typically, only the 1: C:&#92;Windows selection is available. \n4. If you are prompted to type an administrator password, do so. If you do not know the administrator password, press ENTER. (Typically, the password is blank.)\n\nNote You will not be able to continue if you do not have the administrator password. \n5. At the command prompt, type cd $ntservicepackuninstall$&#92;spuninst, and then press ENTER.\n\nNote
1,046
How to uninstall windows xp sp2?I have two windows xp oroffeional sp2 on my computer, one pirated and other origina. I first used pirated one and then intalled original one. now i have two pereting systems. so i want to remove one how can i do this?If you install Windows XP SP2 on a computer that is already running Windows XP SP2, you will create a new uninstall folder on your hard disk drive. This new folder will use 50-100 megabytes of disk space. Every time that you install Windows XP SP2, a new folder is created. \n\nUse any one of the following methods to remove Microsoft Windows XP SP2 from your computer: • Use the Add or Remove Programs tool in Control Panel \n• Use the hidden $NtServicePackUninstall$ folder \n• Use the System Restore process \n• Use Recovery Console \nImportant We recommend that you use the following methods in the order that they are listed.\n Back to the top \n\nUse the Add or Remove Programs tool in Control Panel\n1. Click Start, click Run, type appwiz.cpl in the Open box, and then click OK. \n2. Click to select the Show Updates check box. \n3. Click Windows XP Service Pack 2, and then click Remove. \n4. Follow the instructions on the screen to remove Windows XP SP2. \n\n Back to the top \n\nUse the hidden $NtServicePackUninstall$ folder\n1. Click Start, click Run, type c:&#92;windows&#92;$NtServicePackUninstall$&#92;spuninst&#92;spuninst.exe in the Open box, and then click OK. \n2. When the Windows XP Service Pack 2 Removal Wizard starts, click Next. \n3. Follow the instructions on the screen to remove Windows XP SP2. \n\n Back to the top \n\nUse the System Restore process\n1. Click Start, click Run, type %SystemRoot%&#92;System32&#92;restore&#92;rstrui.exe in the Open box, and then click OK. \n2. Click Restore my computer to an earlier time, and then click Next. \n3. Click the date that you installed Windows XP SP2, and then click Installed Window XP Service Pack 2 in the Restore Point box. \n4. Click Next, and then follow the instructions on the screen to remove Windows XP SP2. \n\n Back to the top \n\nUse Recovery Console\nWarning The following steps contain information about modifying the registry. Before you modify the registry, make sure to back it up, and make sure that you understand how to restore the registry if a problem occurs. For more information about how to back up, restore, and modify the registry, click the following article number to view the article in the Microsoft Knowledge Base: \n256986 (http://support.microsoft.com/kb/256986/) Description of the Microsoft Windows Registry \nIf you use Registry Editor incorrectly, you may cause serious problems that may require that you reinstall your operating system. Microsoft cannot guarantee that you can solve problems that result from using Registry Editor incorrectly. Use Registry Editor at your own risk.\n\nIf you cannot successfully remove Windows XP SP2 by using one of the previous methods, follow these steps: 1. Insert the Windows XP startup disk in your floppy disk drive or insert the Windows XP CD in the CD drive or in the DVD drive, and then restart your computer. \n\nNote When you receive the following message, press a key to start your computer from the Windows XP CD:\nPress any key to boot from CD\n\nNote Your computer must be configured to start from the CD drive or the DVD drive. For more information about how to configure your computer to start from the CD drive or the DVD drive, see the documentation that came with your computer or contact the computer manufacturer. \n2. When you receive the Welcome to Setup message, press R to start the Recovery Console.\n\nNote Multiple options will appear on the screen. \n3. Select the Windows XP installation in question. \n\nNote You must select a number before you press ENTER, or the computer will restart. Typically, only the 1: C:&#92;Windows selection is available. \n4. If you are prompted to type an administrator password, do so. If you do not know the administrator password, press ENTER. (Typically, the password is blank.)\n\nNote You will not be able to continue if you do not have the administrator password. \n5. At the command prompt, type cd $ntservicepackuninstall$&#92;spuninst, and then press ENTER.\n\nNote
Computers & Internet
174,339
9Politics & Government
Why do people accept the '6 million jews killed' story when facts contradict the veracity such false claims?
I don't understand why people take this story at face value without doing any investigation into it at all. I'm about sick of hearing people say,"Trust me/us we wouldn't mislead you' when in fact the world is full of liars especially when there is some particularly beneficial rewards to be had. The 'holocaust industry' has become the single largest money making entity in history. Noone dares to question anything that has to do with Zionism for fear of being called an anti-Semite when in fact there are no greater examples of anti-Semites than Zionists. People are thrown into jail for questioning the holocaust but when someone publicly ridicules the existence of Christ of makes fun of Islam it is said to be 'free speech'.
One person claims that " you certainly have to avoid a huge amount of evidence to make such a claim." The same is true in reverse! \n\nMany people are ignorant and believe anything the government tells them. Truth is the holocaust industry is a billion dollar industry that also provides much revenue for the government. If the truth were known it would kill this huge industry of propaganda.\n\nMany people choose to be ignorant and don't know that there education is picked for them and they are trained to learn only what the government wants you to learn. Then comes the internet wereas we can no longer fool our children and they are learning the truth about hoaxes and other lies our government told us. Yet some people refuse to learn or even gather enough intestinal fortitude to even desire to know what is and what is not.\n\nThe links below will show that some people are so ignorant that even while they claim that one would have to avoid a hugh amount of evidence to make such a claim would also support that they also would have to avoid a huge amount of evidence to the contrary in order to substantiate such a ridiculous claim.\n\nSome countries are prosecuting people for holocaust denile. during their trial they are not alowed to provide any evidence agaisnt the so-called holocaust or they will be charged again. Once found guilty and denied any real defence they will serve 3 or more years for holocaust denile. Their attornies are not alowed to use anything that debunks the holocaust or they also will be charged with holocaust denile. See how morbidly insane this is! There is literally no defense , once you are charged there is no manner in which you can defend yourself because it is illegal to deny the holocaust. They have a win-win situation and you have the lose-lose situation. \n\n This is morbidly insane and only insane minds would support such a trial. Any government that supports this kind of trial ceases to be the governemnt of the people and has selected one event over all events in history to protect. It has become a religion of the sick minded and surely will evolve in such a manner in the future that those who perpetrated this insane witch hunt will become the victims of their own insane hoax upon their people they swore to government with honesty.\n\nIf the holocaust is such a true event then it needs no laws to protect it because it will stand on its own merit. TRUTH NEEDS NO LAWS TO PROTECT IT ,ONLY LIARS AND DECIEVERS NEED LAWS TO PROTECT THEM AND THEIR LIES. That is why this needs laws to protect it, because it is flawed and most certainly a hoax.\n\nIf the holocaust were a true event it would defeat any denier in court on its own merit. It can't, therefore it is a lie that needs laws to keep certain people from questioning and investigating it for truth. It is insane, and any who do not thrive for the truth and search the other side of the story insanely follow the insane.\n\nTell me how insane it is that Hitler only wanted an aryan race of people whom are blue eyed and blonde hair when he alone had dark brown eyes and black hair and was half Jew himself. Look it up, don't trust Google but look it up under "HITLERS JEWISH ARMY." If this is true and history shows it to be true then the Jews are responsible for it alone and the burden should be lifted off everyones sholders.\n\nOh here it is (added at a later date) Hitlers Jewish Army :\nhttp://www.kansaspress.ku.edu/righit.html\n\nAlso: http://www.hfienberg.com/kesher/2002/09/were-there-jews-in-hitlers-army-if.html\n\nProof Hitler was a Jew NOT A GERMAN :http://worldwarll.www4.50megs.com/ahlife.htm\n\nThis is documented fact so now we can put it to rest and say that Jews are responsible for the so-called holocaust upon their own people. Shame on them! They did it to themselves , end of story, they owe us all reparations for hoaxing us and taking our much earned money to support their fraud upon America and the rest of the world
1,116
Why do people accept the '6 million jews killed' story when facts contradict the veracity such false claims?I don't understand why people take this story at face value without doing any investigation into it at all. I'm about sick of hearing people say,"Trust me/us we wouldn't mislead you' when in fact the world is full of liars especially when there is some particularly beneficial rewards to be had. The 'holocaust industry' has become the single largest money making entity in history. Noone dares to question anything that has to do with Zionism for fear of being called an anti-Semite when in fact there are no greater examples of anti-Semites than Zionists. People are thrown into jail for questioning the holocaust but when someone publicly ridicules the existence of Christ of makes fun of Islam it is said to be 'free speech'.One person claims that " you certainly have to avoid a huge amount of evidence to make such a claim." The same is true in reverse! \n\nMany people are ignorant and believe anything the government tells them. Truth is the holocaust industry is a billion dollar industry that also provides much revenue for the government. If the truth were known it would kill this huge industry of propaganda.\n\nMany people choose to be ignorant and don't know that there education is picked for them and they are trained to learn only what the government wants you to learn. Then comes the internet wereas we can no longer fool our children and they are learning the truth about hoaxes and other lies our government told us. Yet some people refuse to learn or even gather enough intestinal fortitude to even desire to know what is and what is not.\n\nThe links below will show that some people are so ignorant that even while they claim that one would have to avoid a hugh amount of evidence to make such a claim would also support that they also would have to avoid a huge amount of evidence to the contrary in order to substantiate such a ridiculous claim.\n\nSome countries are prosecuting people for holocaust denile. during their trial they are not alowed to provide any evidence agaisnt the so-called holocaust or they will be charged again. Once found guilty and denied any real defence they will serve 3 or more years for holocaust denile. Their attornies are not alowed to use anything that debunks the holocaust or they also will be charged with holocaust denile. See how morbidly insane this is! There is literally no defense , once you are charged there is no manner in which you can defend yourself because it is illegal to deny the holocaust. They have a win-win situation and you have the lose-lose situation. \n\n This is morbidly insane and only insane minds would support such a trial. Any government that supports this kind of trial ceases to be the governemnt of the people and has selected one event over all events in history to protect. It has become a religion of the sick minded and surely will evolve in such a manner in the future that those who perpetrated this insane witch hunt will become the victims of their own insane hoax upon their people they swore to government with honesty.\n\nIf the holocaust is such a true event then it needs no laws to protect it because it will stand on its own merit. TRUTH NEEDS NO LAWS TO PROTECT IT ,ONLY LIARS AND DECIEVERS NEED LAWS TO PROTECT THEM AND THEIR LIES. That is why this needs laws to protect it, because it is flawed and most certainly a hoax.\n\nIf the holocaust were a true event it would defeat any denier in court on its own merit. It can't, therefore it is a lie that needs laws to keep certain people from questioning and investigating it for truth. It is insane, and any who do not thrive for the truth and search the other side of the story insanely follow the insane.\n\nTell me how insane it is that Hitler only wanted an aryan race of people whom are blue eyed and blonde hair when he alone had dark brown eyes and black hair and was half Jew himself. Look it up, don't trust Google but look it up under "HITLERS JEWISH ARMY." If this is true and history shows it to be true then the Jews are responsible for it alone and the burden should be lifted off everyones sholders.\n\nOh here it is (added at a later date) Hitlers Jewish Army :\nhttp://www.kansaspress.ku.edu/righit.html\n\nAlso: http://www.hfienberg.com/kesher/2002/09/were-there-jews-in-hitlers-army-if.html\n\nProof Hitler was a Jew NOT A GERMAN :http://worldwarll.www4.50megs.com/ahlife.htm\n\nThis is documented fact so now we can put it to rest and say that Jews are responsible for the so-called holocaust upon their own people. Shame on them! They did it to themselves , end of story, they owe us all reparations for hoaxing us and taking our much earned money to support their fraud upon America and the rest of the world
Politics & Government
174,474
1Science & Mathematics
i and have done my class 12 exams.i need to know where we are offered scholarships in western countries plz?
Scholarships offered in science.\ni studied in Bhutan. and did my board examinations under ISC board.
The following are some links which offer scholarships for higher education in different countries of the world.\nTry them. Best of luck.\n\nIslamic Development Bank Scholarships \nScholarship Opportunities at KDI School of Public Policy and Management in Seoul, Korea \nhttp://www.britishcouncil.org/sister/internationalstudents.htm. \n http://www.rcuk.ac.uk/hodgkin/background.asp. \n http://www.royalsoc.ac.uk \n http://www.rcuk.ac.uk/ \n http://www.epsrc.ac.uk/ \n http://www.bbsrc.ac.uk/international/welcome.htm \n http://www.nerc.ac.uk/international/ \n http://www.mrc.ac.uk/ \n http://www.pparc.ac.uk/ \n http://www.esrc.ac.uk/esrccontent/reserchfunfing/internationalhomepage.asp \n http://www.chevening.com/ \n http://www.educationuk.com \n http://www.universitiesuk.ac.uk/ors/ \n http://www.dfid.gov.uk/funding/ \n http://www.britcoun.org/science-reserach.htm/ \n http://www.sism-uk.com/project/sister/ \n http://europa.eu.int/eracareers/ \n http://www.ukro.ac.uk/pubilc/ \n http://www.europa.eu.int/comm/reserch/fp6/mariecrie-actions/ \n http://www.cordis.lu/fp6/inco.htm \n http://www.cost.cordis.lu/home.cfm \n PhD Fellow Position in Mobile Communications \n Pakistan Society of Geographic Information Systems (PSGIS) \n Scholarships for Japan \n Doctoral and Post Doctoral Position in Medical University Vienna \n The Endeavour International Postgraduate Research Scholarships (IPRS) \n List of scholarships in German Embassy Pakistan \n List of all possible scholarships listed on daad's web site available for Pakistani's \n Scholarships for Medical Studies in UK \n Explore various scholarship opportunities in Australia in different Fields \n General British Scholarship guide for Pakistanis \n Scholarship for PhD in Economics/Finance By state bank of Pakistan \n Islamic Development Bank (IDB) Scholarship Program \n Full Bright Research scholarship Award \n King Faisal Foundation Scholarship program \n PhD Program in Hannover Biomedical Research School \n \n Fellowships at IMPRS for Advanced Materials \n Postdoctoral fellowships and PhD studentships at UPSC \n Research Scientists Positions at INRIA \n Admission Open at TUCS \n Fellowships at Agha Khan University, Center of English Language \n Cellular, Molecular, Developmental, Physiological, Neuro- and Evolutionary Genetics and Genomics \n Fellowships at Hannover Biomedical Research School \n Fellowships at Johann Wolfgang Goethe-Universitdt / Karolinska Institute \n Australian Institute for Bioengineering and Nanotechnology at UQ \n Scholarships at University of Otago \n PhD positions at the Fraunhofer-Institute for High-Speed Dynamics Ernst-Mach-Institute (EMI), in Freiburg, Germany. \n Fellowships at Munich Graduate School of Economics \n Two PhD studentships at the Department of Internal Medicine \n Atmospheric Inverse Modeling \n Fellowships for high-level Ph.D. programme in cellular, molecular, developmental, physiological, neuro- and evolutionary genetics \n IEEE Microwave Theory and Techniques Society Undergraduate / Pre-Graduate Scholarships \n 2 PhD Scholarships in ITU \n New PhD program in Molecular Enzymology \n Research Grants at Max Planck Institute for Social Anthropology Halle / Saale \n International Graduate School of Neuroscience (IGSN), Ruhr University Bochum, Germany \n Research Assistants in Statistical Machine Translation \n Studentships at International University Bremen \n PhD Scholarships at the IT University of Copenhagen \n The SMS Associate Scheme Awards \n International Development Studies - (JICA) \n Scholarship Programs of Air Cdr. Rizwan Ullah Khan Shaheed Memorial Trust \n TWAS Postgraduate and Post-doctoral Fellowships \n TWAS Research Grants and Awards \n IEEE Graduate Fellowship
1,069
i and have done my class 12 exams.i need to know where we are offered scholarships in western countries plz?Scholarships offered in science.\ni studied in Bhutan. and did my board examinations under ISC board.The following are some links which offer scholarships for higher education in different countries of the world.\nTry them. Best of luck.\n\nIslamic Development Bank Scholarships \nScholarship Opportunities at KDI School of Public Policy and Management in Seoul, Korea \nhttp://www.britishcouncil.org/sister/internationalstudents.htm. \n http://www.rcuk.ac.uk/hodgkin/background.asp. \n http://www.royalsoc.ac.uk \n http://www.rcuk.ac.uk/ \n http://www.epsrc.ac.uk/ \n http://www.bbsrc.ac.uk/international/welcome.htm \n http://www.nerc.ac.uk/international/ \n http://www.mrc.ac.uk/ \n http://www.pparc.ac.uk/ \n http://www.esrc.ac.uk/esrccontent/reserchfunfing/internationalhomepage.asp \n http://www.chevening.com/ \n http://www.educationuk.com \n http://www.universitiesuk.ac.uk/ors/ \n http://www.dfid.gov.uk/funding/ \n http://www.britcoun.org/science-reserach.htm/ \n http://www.sism-uk.com/project/sister/ \n http://europa.eu.int/eracareers/ \n http://www.ukro.ac.uk/pubilc/ \n http://www.europa.eu.int/comm/reserch/fp6/mariecrie-actions/ \n http://www.cordis.lu/fp6/inco.htm \n http://www.cost.cordis.lu/home.cfm \n PhD Fellow Position in Mobile Communications \n Pakistan Society of Geographic Information Systems (PSGIS) \n Scholarships for Japan \n Doctoral and Post Doctoral Position in Medical University Vienna \n The Endeavour International Postgraduate Research Scholarships (IPRS) \n List of scholarships in German Embassy Pakistan \n List of all possible scholarships listed on daad's web site available for Pakistani's \n Scholarships for Medical Studies in UK \n Explore various scholarship opportunities in Australia in different Fields \n General British Scholarship guide for Pakistanis \n Scholarship for PhD in Economics/Finance By state bank of Pakistan \n Islamic Development Bank (IDB) Scholarship Program \n Full Bright Research scholarship Award \n King Faisal Foundation Scholarship program \n PhD Program in Hannover Biomedical Research School \n \n Fellowships at IMPRS for Advanced Materials \n Postdoctoral fellowships and PhD studentships at UPSC \n Research Scientists Positions at INRIA \n Admission Open at TUCS \n Fellowships at Agha Khan University, Center of English Language \n Cellular, Molecular, Developmental, Physiological, Neuro- and Evolutionary Genetics and Genomics \n Fellowships at Hannover Biomedical Research School \n Fellowships at Johann Wolfgang Goethe-Universitdt / Karolinska Institute \n Australian Institute for Bioengineering and Nanotechnology at UQ \n Scholarships at University of Otago \n PhD positions at the Fraunhofer-Institute for High-Speed Dynamics Ernst-Mach-Institute (EMI), in Freiburg, Germany. \n Fellowships at Munich Graduate School of Economics \n Two PhD studentships at the Department of Internal Medicine \n Atmospheric Inverse Modeling \n Fellowships for high-level Ph.D. programme in cellular, molecular, developmental, physiological, neuro- and evolutionary genetics \n IEEE Microwave Theory and Techniques Society Undergraduate / Pre-Graduate Scholarships \n 2 PhD Scholarships in ITU \n New PhD program in Molecular Enzymology \n Research Grants at Max Planck Institute for Social Anthropology Halle / Saale \n International Graduate School of Neuroscience (IGSN), Ruhr University Bochum, Germany \n Research Assistants in Statistical Machine Translation \n Studentships at International University Bremen \n PhD Scholarships at the IT University of Copenhagen \n The SMS Associate Scheme Awards \n International Development Studies - (JICA) \n Scholarship Programs of Air Cdr. Rizwan Ullah Khan Shaheed Memorial Trust \n TWAS Postgraduate and Post-doctoral Fellowships \n TWAS Research Grants and Awards \n IEEE Graduate Fellowship
Science & Mathematics
174,805
2Health
i need a complete detailed about the pathophysiology of rheumatic fever!?
thanks for the answer, but i already founnd that answer on the internet on yahoo. all of the information there is not satisfying. thanks
Results 1 - 10 of about 57,000 for pathophysiology of rheumatic fever - 0.10 sec. (About this page)\n\nWEB RESULTS\nRheumatic fever - Wikipedia, the free encyclopedia \n... The rate of development of rheumatic fever in individuals with untreated strep infection is ... Pathophysiology Rheumatic fever is an autoimmune disease which occurs after an untreated ...\nQuick Links: General Information - Diagnosis: Modified Jones Criteria - Major Criteria\nen.wikipedia.org/wiki/Rheumatic_fever - 27k - Cached - More from this site - Save - Block\nRheumatic Fever - eMedicine.com \nClinical overview of rheumatic fever with sections on differentials, treatment options, and follow-up care.\nCategory: Rheumatic Fever\nwww.emedicine.com/emerg/topic509.htm - 92k - Cached - More from this site - Save - Block\nPathophys-Dental Toolkit: Case Study 1 Question Strategies \nCardiac Case Study #1 - Question Strategies. 1. What are the major and minor categories of rheumatic fever? This is a "background question" or a general question about a disease process or disorder. ... a textbook of internal medicine, or a pathophysiology textbook. Since rheumatic fever does affect the ... information on the pathophysiology of rheumatic fever. A supplemental journal ...library.cpmc.columbia.edu/hsl/toolkits/ppd1strat.html#q7 - 25k - Cached - More from this site - Save - Block\neMedicine - Rheumatic Fever : Article by Larry I Lutwick, MD \n... and related keywords: acute rheumatic fever, ARF, group A streptococcal pharyngitis ... Pathophysiology: ARF is characterized by nonsuppurative inflammatory lesions of the joints ...www.emedicine.com/med/topic3435.htm - 89k - Cached - More from this site - Save - Block\nAn 18-Year-Old Female Was Admitted to the Hospital With Uncontrollable Writhing Movements \n... the rest of the world. The pathophysiology of rheumatic fever involves a cross ... defined as fever, arthralgia, and a prior history of rheumatic fever or rheumatic heart disease ...www.medscape.com/viewprogram/3314_pnt - 26k - Cached - More from this site - Save - Block\nUpToDate Pathophysiology and clinical features of mitral stenosis \nFind on Page. Outline of Topic. Graphics. Related Topics. These materials have been written for trained healthcare professionals and assume specialized knowledge. ... INTRODUCTION. ETIOLOGY. • Rheumatic heart disease. PATHOPHYSIOLOGY. • Cardiac hemodynamics ... 50 to 70 percent of patients report a history of rheumatic fever [4-6]. In a surgical ...patients.uptodate.com/topic.asp?file=valve_hd/9940&title=Heart+failure - 26k - Cached - More from this site - Save - Block\nclick here to view this site in new window (MICROSOFT WORD) \n... pathogenesis, pathology, pathophysiology and clinical manifestations of rheumatic fever and rheumatic heart disease ... are the sequelae of RHEUMATIC FEVER. " Rheumatic Fever (RF) is an ...www.meddean.luc.edu/lumen/Meded/mech/lectures/hus31.doc - 48k - View as html - More from this site - Save - Block\n# 31 - VALVULAR HEART DISEASE (PDF) \n... pathogenesis, pathology, pathophysiology and clinical manifestations of rheumatic fever. and rheumatic heart disease ... are the sequelae of. RHEUMATIC FEVER. " Rheumatic Fever (RF) is an ...www.meddean.luc.edu/lumen/MEdEd/mech/lectures/hus31.pdf - 26k - View as html - More from this site - Save - Block\nUpToDate Sydenham chorea \nFind on Page. Outline of Topic. Related Topics. These materials have been written for trained healthcare professionals and assume specialized knowledge. ... manifestations and diagnosis of acute rheumatic fever"). PATHOPHYSIOLOGY — Although SC clearly is ... subjects, is thought to contribute to the pathogenesis of acute rheumatic fever ...patients.uptodate.com/topic.asp?file=ped_neur/7933 - 16k - Cached - More from this site - Save - Block\nA Possible Association of Recurrent Streptococcal Infections and Acute Onset of Obsessive-Compulsive Disorder -- Kim... \n... of the Jones criteria for the
1,077
i need a complete detailed about the pathophysiology of rheumatic fever!?thanks for the answer, but i already founnd that answer on the internet on yahoo. all of the information there is not satisfying. thanksResults 1 - 10 of about 57,000 for pathophysiology of rheumatic fever - 0.10 sec. (About this page)\n\nWEB RESULTS\nRheumatic fever - Wikipedia, the free encyclopedia \n... The rate of development of rheumatic fever in individuals with untreated strep infection is ... Pathophysiology Rheumatic fever is an autoimmune disease which occurs after an untreated ...\nQuick Links: General Information - Diagnosis: Modified Jones Criteria - Major Criteria\nen.wikipedia.org/wiki/Rheumatic_fever - 27k - Cached - More from this site - Save - Block\nRheumatic Fever - eMedicine.com \nClinical overview of rheumatic fever with sections on differentials, treatment options, and follow-up care.\nCategory: Rheumatic Fever\nwww.emedicine.com/emerg/topic509.htm - 92k - Cached - More from this site - Save - Block\nPathophys-Dental Toolkit: Case Study 1 Question Strategies \nCardiac Case Study #1 - Question Strategies. 1. What are the major and minor categories of rheumatic fever? This is a "background question" or a general question about a disease process or disorder. ... a textbook of internal medicine, or a pathophysiology textbook. Since rheumatic fever does affect the ... information on the pathophysiology of rheumatic fever. A supplemental journal ...library.cpmc.columbia.edu/hsl/toolkits/ppd1strat.html#q7 - 25k - Cached - More from this site - Save - Block\neMedicine - Rheumatic Fever : Article by Larry I Lutwick, MD \n... and related keywords: acute rheumatic fever, ARF, group A streptococcal pharyngitis ... Pathophysiology: ARF is characterized by nonsuppurative inflammatory lesions of the joints ...www.emedicine.com/med/topic3435.htm - 89k - Cached - More from this site - Save - Block\nAn 18-Year-Old Female Was Admitted to the Hospital With Uncontrollable Writhing Movements \n... the rest of the world. The pathophysiology of rheumatic fever involves a cross ... defined as fever, arthralgia, and a prior history of rheumatic fever or rheumatic heart disease ...www.medscape.com/viewprogram/3314_pnt - 26k - Cached - More from this site - Save - Block\nUpToDate Pathophysiology and clinical features of mitral stenosis \nFind on Page. Outline of Topic. Graphics. Related Topics. These materials have been written for trained healthcare professionals and assume specialized knowledge. ... INTRODUCTION. ETIOLOGY. • Rheumatic heart disease. PATHOPHYSIOLOGY. • Cardiac hemodynamics ... 50 to 70 percent of patients report a history of rheumatic fever [4-6]. In a surgical ...patients.uptodate.com/topic.asp?file=valve_hd/9940&title=Heart+failure - 26k - Cached - More from this site - Save - Block\nclick here to view this site in new window (MICROSOFT WORD) \n... pathogenesis, pathology, pathophysiology and clinical manifestations of rheumatic fever and rheumatic heart disease ... are the sequelae of RHEUMATIC FEVER. " Rheumatic Fever (RF) is an ...www.meddean.luc.edu/lumen/Meded/mech/lectures/hus31.doc - 48k - View as html - More from this site - Save - Block\n# 31 - VALVULAR HEART DISEASE (PDF) \n... pathogenesis, pathology, pathophysiology and clinical manifestations of rheumatic fever. and rheumatic heart disease ... are the sequelae of. RHEUMATIC FEVER. " Rheumatic Fever (RF) is an ...www.meddean.luc.edu/lumen/MEdEd/mech/lectures/hus31.pdf - 26k - View as html - More from this site - Save - Block\nUpToDate Sydenham chorea \nFind on Page. Outline of Topic. Related Topics. These materials have been written for trained healthcare professionals and assume specialized knowledge. ... manifestations and diagnosis of acute rheumatic fever"). PATHOPHYSIOLOGY — Although SC clearly is ... subjects, is thought to contribute to the pathogenesis of acute rheumatic fever ...patients.uptodate.com/topic.asp?file=ped_neur/7933 - 16k - Cached - More from this site - Save - Block\nA Possible Association of Recurrent Streptococcal Infections and Acute Onset of Obsessive-Compulsive Disorder -- Kim... \n... of the Jones criteria for the
Health
174,841
1Science & Mathematics
Can Anyone tell me how to prove this Equation by Mathematical Induction ?
I have already proved it by G.p. Series .\n\n7+77+777+7777+...............+777.......77 = \n n digits \n(7/81)*[(10^n+1)-(9*n)-10]\n\nnote :- '^' means raised to power.
Exponentiation is usually taken to bind more strongly than addition, so 10^n+1 is usually interpreted as (10^n)+1. You intended 10^(n+1).\n\nLet Rep(7, 10, n) be the "repunit" the integer the base 10 representation of which is n seven's. You wish to prove by Mathematical Induction that the statement P(n) defined as\n\ndefine: P(n) states Sum{i = 1 to n}{Rep(7, 10, i)} = (7/81)*[10^(n+1) - (9*n) - 10]\n\nholds for all positive integers n = 1, 2, 3, ....\n\n\nFirst prove the lemma that Rep(7, 10, i) = "i seven's in base ten" = Sum{k = 0 to i-1}{7 * (10^k)} = 7 * ((10^i - 1) / 9) for positive integer i = 1, 2, 3, ... either by the formula for the sum of a geometric progression or by Mathematical Induction. :-)\n\n\nNow consider the statement P(1). The left hand side of the equality is Sum{i = 1 to 1}{Rep(7, 10, i)} = Rep(7, 10, i) = 7. The right hand side of the equality is (7/81)*[10^(1+1) - (9*1) - 10] = (7/81)*(100 - 9 - 10) = (7/81)*81 = 7. The left hand side equals the right hand side so P(1) is true.\n\nNow let m be a positive integer m >= 1 and assume the statement P(m) is true with the goal of proving that the P(m+1) must then also be true. For the statement P(m+1) the left hand side of the equality is\n\nSum{i = 1 to m+1}{Rep(7, 10, i)} = Sum{i = 1 to m}{Rep(7, 10, i)} + Rep(7, 10, m+1)\n= Sum{i = 1 to m}{Rep(7, 10, i)} + 7 * ((10^(m+1) - 1) / 9) # by the lemma\n= (7/81)*[10^(m+1) - (9*m) - 10] + 7 * ((10^(m+1) - 1) / 9) # by the assumption of P(m)\n= (7/81)*[10^(m+1) - (9*m) - 10] + 7 * (9 * (10^(m+1) - 1) / 81) # multiply both numerator and denominator of right addend by 9\n= (7/81)*[ (10^(m+1) - (9*m) - 10) + (9 * (10^(m+1) - 1)) ] # "undistribute" common factor of 7/81\n= (7/81)*[ (10^(m+1) - (9*m) - 10) + (9 * 10^(m+1) - 9) ] # distribute multiplication by 9\n= (7/81)*[ ( 10^(m+1) + 9*10^(m+1) ) - 9*m - 9 - 10 ] # addition is commutative and associative\n= (7/81)*[ 10 * 10^(m+1) - 9*(m+1) - 10 ] # more distributuve law\n= (7/81)*[ 10^((m+1)+1) - 9*(m+1) - 10 ] # definition of exponentiation\n= right hand side of the equality of P(m+1)\n\nThus both P(1) is true and "for all integers m >= 1, P(m) implies P(m+1)" is true. You can knock over the first domino and each domino when it falls will knock over the next. So by Mathematical Induction "for all integers n >= 1, P(n)" is true and all of the dominoes eventually fall.
1,028
Can Anyone tell me how to prove this Equation by Mathematical Induction ?I have already proved it by G.p. Series .\n\n7+77+777+7777+...............+777.......77 = \n n digits \n(7/81)*[(10^n+1)-(9*n)-10]\n\nnote :- '^' means raised to power.Exponentiation is usually taken to bind more strongly than addition, so 10^n+1 is usually interpreted as (10^n)+1. You intended 10^(n+1).\n\nLet Rep(7, 10, n) be the "repunit" the integer the base 10 representation of which is n seven's. You wish to prove by Mathematical Induction that the statement P(n) defined as\n\ndefine: P(n) states Sum{i = 1 to n}{Rep(7, 10, i)} = (7/81)*[10^(n+1) - (9*n) - 10]\n\nholds for all positive integers n = 1, 2, 3, ....\n\n\nFirst prove the lemma that Rep(7, 10, i) = "i seven's in base ten" = Sum{k = 0 to i-1}{7 * (10^k)} = 7 * ((10^i - 1) / 9) for positive integer i = 1, 2, 3, ... either by the formula for the sum of a geometric progression or by Mathematical Induction. :-)\n\n\nNow consider the statement P(1). The left hand side of the equality is Sum{i = 1 to 1}{Rep(7, 10, i)} = Rep(7, 10, i) = 7. The right hand side of the equality is (7/81)*[10^(1+1) - (9*1) - 10] = (7/81)*(100 - 9 - 10) = (7/81)*81 = 7. The left hand side equals the right hand side so P(1) is true.\n\nNow let m be a positive integer m >= 1 and assume the statement P(m) is true with the goal of proving that the P(m+1) must then also be true. For the statement P(m+1) the left hand side of the equality is\n\nSum{i = 1 to m+1}{Rep(7, 10, i)} = Sum{i = 1 to m}{Rep(7, 10, i)} + Rep(7, 10, m+1)\n= Sum{i = 1 to m}{Rep(7, 10, i)} + 7 * ((10^(m+1) - 1) / 9) # by the lemma\n= (7/81)*[10^(m+1) - (9*m) - 10] + 7 * ((10^(m+1) - 1) / 9) # by the assumption of P(m)\n= (7/81)*[10^(m+1) - (9*m) - 10] + 7 * (9 * (10^(m+1) - 1) / 81) # multiply both numerator and denominator of right addend by 9\n= (7/81)*[ (10^(m+1) - (9*m) - 10) + (9 * (10^(m+1) - 1)) ] # "undistribute" common factor of 7/81\n= (7/81)*[ (10^(m+1) - (9*m) - 10) + (9 * 10^(m+1) - 9) ] # distribute multiplication by 9\n= (7/81)*[ ( 10^(m+1) + 9*10^(m+1) ) - 9*m - 9 - 10 ] # addition is commutative and associative\n= (7/81)*[ 10 * 10^(m+1) - 9*(m+1) - 10 ] # more distributuve law\n= (7/81)*[ 10^((m+1)+1) - 9*(m+1) - 10 ] # definition of exponentiation\n= right hand side of the equality of P(m+1)\n\nThus both P(1) is true and "for all integers m >= 1, P(m) implies P(m+1)" is true. You can knock over the first domino and each domino when it falls will knock over the next. So by Mathematical Induction "for all integers n >= 1, P(n)" is true and all of the dominoes eventually fall.
Science & Mathematics
175,496
0Society & Culture
r u satisfied with ur religion?if no ISLAM is the best religion?
I WANT SAY HERE AS I DID IN MANY QUESTION\n\nand i will give u exemple here ..and how some ppl give idea about the religion they are believe in ...\n\nwe have answer from one called himself IRAQI EX_ MUSLIM ( even im sure he wasnt muslim ) but any way....\nhe says thats he was muslim and become belivier in JESUS (PEACE BE UPON HIM) bcs he knew thats islam is call for bad things ...ok let believe him for now in what he saying about Islam but he can answer me in somthing ...\n\nif u say thats u r beliver in JESUS P.B.U.H ...\nDID JESUS P.B.U.H CALLED FOR ATTACK OTHER PPL AND THEIR BELIVIES ??????? \n\nOK..im muslim ..and i know thats islam asked us to respect all the religions ...and all the ppl what ever thier belives... \nAnd islam and MUHAMMAD P.B.U.H told us thats JESUS P.B.U.H was call for peace and respect all 2 and say the trouth and dont lie ..\nBUT if the islam didnt teach us thats ..and when i read how u (IRAQI EX_ MUSLIM) attack islam and muslims ..i will say thats JESUS P.B.U.H were call for lies and dont respect others ...but thanks for GOD thats by islam told us he was call for peace and dont hate anybody and we must respect him .and whom believe in him\n\nSo i think u r dangours one in any religion u r belive in it ...and say things as what u need ...so maybe later when u have some more benefits u will attack JESUS P.B.U.H and the ppl whom believe in him ... and i hope not ..even if u did ,the ppl whom really believe in JESUS P.B.U.H and others whom know JESUS P.B.U.H .. wont chnage thier minds by what u r saying .\n\nand i want say here 2 thats as IRAQI EX_ MUSLIM doing to JESUS P.B.U.H and give bad idea about him and what he called for ( even i dont know if IRAQI EX_ MUSLIM really know what he is doing or he is do thats in propuse ) ...so what i want to say thats ,there is some muslims 2 give bad idea about islam 2...as what IRAQI EX_ MUSLIM doing to JESUS P.B.U.H \n\nSo what i really hope for u ..and whom give bad idea about what they believe ,as u r doing for JESUS P.B.U.H .. to respect JESUS P.B.U.H and what he call for\n\nAnd im doing thats bcs islam and our prophet Muhammad P.B.U.H asked us to believe in JESUS P.B.U.H and what he call for ...bcs all religions asked for one goal \n\nHERE U R SAYING U R NOT ATTACKING MUSLIMS !!!!!!\nJUST GO TO ALL HIS ANSWERS AND HIS QUESTIONS AND U WILL KNOW IF HE ATTACK OR NOT\n\nOK THATS SOME OF WHAT (IRAQI EX-MUSLIM )SAID TO ME (OLD_FROG)\nIRAQI EX-MUSLIM Additional Details\nFeb 23, 2006 at 12:08 pm\nRe: old frog,\nwho is attacking now? Do Muhammed taught you to attack 2 towers full of civilians? and to attack shrine of an Islamic sect? and to rediculate Buddha and prevent churches from being built and ppl from have their worships or being athiests? Look pal, I know all that things and I m attacking Islam to exchange Ideas, but I'm NOT attacking Muslims. I discuss idesa in Islam itself who believe in them. if you don't believe in them, so it's fine.\n\nYes, I have right to attack any ideology including religions. I have right of free speech as long as I'm not violating laws. as long as I'm not encouraging hate against ppl, but against ideas OK.\n\nHowever, in these days, I decided to stop mentioning Islam and attacking Islam beliefs, but guess what? you came to attack...now who's attacking? Is Yahoo answers free of Islamic attacks on other religions? Before you put any conclusion go search 4 yourself. by the way, Jesus is God, and we don't need to pray on him!! so no PBUH!!\nFeb 23, 2006 at 12:14 pm\nAh, BTW, old frog!\nI forgot to tell you that I'm enjoying very nice free environment here in USA and discussing Jesus and these beliefs. I discussed so much about this with a friend of mine. did he yell at me and say "BAAAAA, JESUS IS GOD, you're sick...etc", no, he was always calm and I'm always calm. that's called "civilized discussion". \n\ntill now, I ask contraversial questions with other believers, and we
1,171
r u satisfied with ur religion?if no ISLAM is the best religion?I WANT SAY HERE AS I DID IN MANY QUESTION\n\nand i will give u exemple here ..and how some ppl give idea about the religion they are believe in ...\n\nwe have answer from one called himself IRAQI EX_ MUSLIM ( even im sure he wasnt muslim ) but any way....\nhe says thats he was muslim and become belivier in JESUS (PEACE BE UPON HIM) bcs he knew thats islam is call for bad things ...ok let believe him for now in what he saying about Islam but he can answer me in somthing ...\n\nif u say thats u r beliver in JESUS P.B.U.H ...\nDID JESUS P.B.U.H CALLED FOR ATTACK OTHER PPL AND THEIR BELIVIES ??????? \n\nOK..im muslim ..and i know thats islam asked us to respect all the religions ...and all the ppl what ever thier belives... \nAnd islam and MUHAMMAD P.B.U.H told us thats JESUS P.B.U.H was call for peace and respect all 2 and say the trouth and dont lie ..\nBUT if the islam didnt teach us thats ..and when i read how u (IRAQI EX_ MUSLIM) attack islam and muslims ..i will say thats JESUS P.B.U.H were call for lies and dont respect others ...but thanks for GOD thats by islam told us he was call for peace and dont hate anybody and we must respect him .and whom believe in him\n\nSo i think u r dangours one in any religion u r belive in it ...and say things as what u need ...so maybe later when u have some more benefits u will attack JESUS P.B.U.H and the ppl whom believe in him ... and i hope not ..even if u did ,the ppl whom really believe in JESUS P.B.U.H and others whom know JESUS P.B.U.H .. wont chnage thier minds by what u r saying .\n\nand i want say here 2 thats as IRAQI EX_ MUSLIM doing to JESUS P.B.U.H and give bad idea about him and what he called for ( even i dont know if IRAQI EX_ MUSLIM really know what he is doing or he is do thats in propuse ) ...so what i want to say thats ,there is some muslims 2 give bad idea about islam 2...as what IRAQI EX_ MUSLIM doing to JESUS P.B.U.H \n\nSo what i really hope for u ..and whom give bad idea about what they believe ,as u r doing for JESUS P.B.U.H .. to respect JESUS P.B.U.H and what he call for\n\nAnd im doing thats bcs islam and our prophet Muhammad P.B.U.H asked us to believe in JESUS P.B.U.H and what he call for ...bcs all religions asked for one goal \n\nHERE U R SAYING U R NOT ATTACKING MUSLIMS !!!!!!\nJUST GO TO ALL HIS ANSWERS AND HIS QUESTIONS AND U WILL KNOW IF HE ATTACK OR NOT\n\nOK THATS SOME OF WHAT (IRAQI EX-MUSLIM )SAID TO ME (OLD_FROG)\nIRAQI EX-MUSLIM Additional Details\nFeb 23, 2006 at 12:08 pm\nRe: old frog,\nwho is attacking now? Do Muhammed taught you to attack 2 towers full of civilians? and to attack shrine of an Islamic sect? and to rediculate Buddha and prevent churches from being built and ppl from have their worships or being athiests? Look pal, I know all that things and I m attacking Islam to exchange Ideas, but I'm NOT attacking Muslims. I discuss idesa in Islam itself who believe in them. if you don't believe in them, so it's fine.\n\nYes, I have right to attack any ideology including religions. I have right of free speech as long as I'm not violating laws. as long as I'm not encouraging hate against ppl, but against ideas OK.\n\nHowever, in these days, I decided to stop mentioning Islam and attacking Islam beliefs, but guess what? you came to attack...now who's attacking? Is Yahoo answers free of Islamic attacks on other religions? Before you put any conclusion go search 4 yourself. by the way, Jesus is God, and we don't need to pray on him!! so no PBUH!!\nFeb 23, 2006 at 12:14 pm\nAh, BTW, old frog!\nI forgot to tell you that I'm enjoying very nice free environment here in USA and discussing Jesus and these beliefs. I discussed so much about this with a friend of mine. did he yell at me and say "BAAAAA, JESUS IS GOD, you're sick...etc", no, he was always calm and I'm always calm. that's called "civilized discussion". \n\ntill now, I ask contraversial questions with other believers, and we
Society & Culture
176,112
4Computers & Internet
How do I overclock any AMD Opteron CPU?
How do I know when to stop the overclocking process.. and please just give me the website or the software so I can overclock. thanks a lot
Overclocking Your Processor\nWARNING: Overclocking of any kind voids all manufacturer warranties and can depreciate the life expectancy of your component.\nWARNING: Overclocking is dangerous and can result in a dead/fried processor.\nCAUTION: Take it slow, overclock in subtle amounts, and always check the stability of your current overclocked settings through a benchmarking/stability utility.\nWith those warnings out of the way, Welcome to the Overclocking Guide for Processors! Most likely you won't fry your processor, but it does happen, and increasing the frequency of your processor by too much can result in a dead processor. Be sure to always monitor the temperature of your CPU during overclocking and don't exceed the manufacturer's recommended operating temperature. Remember, the temperature will increase with activity and strenuous programs, so I suggest downloading a program that will load your computer while monitoring the processor temperature (e.g. Prime95). Replacing the stock heat-sink/fan with a good $50 heat-sink/fan will drastically reduce your processor temperatures.\n\nTerms to Know:\n\nCPU Clock/FSB: This is the frequency of your processor.\nCPU Ratio/Multiplier: This is the multiplication factor used with the CPU Ratio/FSB to determine the end processor frequency.\nHTT Multiplier/FSB Multiplier/LTD Bus Frequency: This is the multiplication factor used with the CPU Ratio/FSB to determine the operating FSB frequency. Standard factors are 5X/1GHz, 4X/800Mhz, 3X/600MHz, 2X/400MHz, 1X/200MHz.\n\n\nA note: This tutorial is guided for AMD 64-bit processors. They are the most complicated to overclock, so if you can overclock an AMD 64, you can overclock anything. Remember though that not every processor is overclockable, AMD and Intel alike. Also note that many Intel processors have a locked CPU Ratio/FSB Multiplier.\nLet's Get Started:\n\n1) Max Memory Speed\n\nThe first step is to determine how fast your memory can go. This is done so that when overclocking we know that an excessive memory speed isn't what is causing instability problems.\n\nA) First drop down your CPU Ratio/Multiplier down two spots. (If at 11X, drop it to 9X)\n\nB) Set your AGP/PCI lock to 33/67 respectively if you have this option in the BIOS.\n\nC) Set the HTT Multiplier/FSB Multiplier/LTD BUS Frequency to 4X/800Mhz. This multiplication factor multiplied by the CPU Clock's FSB cannot be greater than your motherboards FSB specification. So if your motherboards FSB is 1000MHz and your CPU Clock/FSB is at 200MHz and your multiplier is at 5X your at 1000MHz. But if you raise the CPU Clock/FSB as we are going to while keeping the multiplier at 5X, we will be over the 1000MHz limit and we will run into stability issues.\n\nD) Disable the Cool n' Quiet feature prevalent on AMD boards if it is enabled.\n\nE) Disable Spread Spectrum\n\nF) Save your settings and boot to Windows.\n\nG) Using ClockGen, let it raise your memory speeds automatically or do it manually at 5Mhz increments (If at 200MHz, set it to 205MHz.).\n\nH) Do this until it locks up or artifacts appear. Record this number.\n\nI) On lockup, reboot your PC into BIOS.\n\nJ) Set you CPU Clock/FSB to the number prior to your recorded number. (If doing 5MHz steps, 5MHz less than your recorded number.\n\nK) Save your settings and boot to Windows.\n\nL) Run all tests on Memtest86 one time to check for errors. If you get any errors they will present themselves as red lines at the bottom of the window. Upon seeing these lines, reboot into BIOS. Go to step M). If you don't see these lines, go to step N).\n\nM) Lower your CPU Clock/FSB down by 3MHz, save and boot into Windows. Then run Memtest86 again. Do this until you receive no errors. Skip step N).\n\nN) Raise your CPU Clock/FSB up by 1 MHz, save and boot into Windows. Then run Memtest86 again. Do this until you receive an error. Upon receiving the error, lower the CPU Clock/FSB down to its prior stable state. Recor
1,053
How do I overclock any AMD Opteron CPU?How do I know when to stop the overclocking process.. and please just give me the website or the software so I can overclock. thanks a lotOverclocking Your Processor\nWARNING: Overclocking of any kind voids all manufacturer warranties and can depreciate the life expectancy of your component.\nWARNING: Overclocking is dangerous and can result in a dead/fried processor.\nCAUTION: Take it slow, overclock in subtle amounts, and always check the stability of your current overclocked settings through a benchmarking/stability utility.\nWith those warnings out of the way, Welcome to the Overclocking Guide for Processors! Most likely you won't fry your processor, but it does happen, and increasing the frequency of your processor by too much can result in a dead processor. Be sure to always monitor the temperature of your CPU during overclocking and don't exceed the manufacturer's recommended operating temperature. Remember, the temperature will increase with activity and strenuous programs, so I suggest downloading a program that will load your computer while monitoring the processor temperature (e.g. Prime95). Replacing the stock heat-sink/fan with a good $50 heat-sink/fan will drastically reduce your processor temperatures.\n\nTerms to Know:\n\nCPU Clock/FSB: This is the frequency of your processor.\nCPU Ratio/Multiplier: This is the multiplication factor used with the CPU Ratio/FSB to determine the end processor frequency.\nHTT Multiplier/FSB Multiplier/LTD Bus Frequency: This is the multiplication factor used with the CPU Ratio/FSB to determine the operating FSB frequency. Standard factors are 5X/1GHz, 4X/800Mhz, 3X/600MHz, 2X/400MHz, 1X/200MHz.\n\n\nA note: This tutorial is guided for AMD 64-bit processors. They are the most complicated to overclock, so if you can overclock an AMD 64, you can overclock anything. Remember though that not every processor is overclockable, AMD and Intel alike. Also note that many Intel processors have a locked CPU Ratio/FSB Multiplier.\nLet's Get Started:\n\n1) Max Memory Speed\n\nThe first step is to determine how fast your memory can go. This is done so that when overclocking we know that an excessive memory speed isn't what is causing instability problems.\n\nA) First drop down your CPU Ratio/Multiplier down two spots. (If at 11X, drop it to 9X)\n\nB) Set your AGP/PCI lock to 33/67 respectively if you have this option in the BIOS.\n\nC) Set the HTT Multiplier/FSB Multiplier/LTD BUS Frequency to 4X/800Mhz. This multiplication factor multiplied by the CPU Clock's FSB cannot be greater than your motherboards FSB specification. So if your motherboards FSB is 1000MHz and your CPU Clock/FSB is at 200MHz and your multiplier is at 5X your at 1000MHz. But if you raise the CPU Clock/FSB as we are going to while keeping the multiplier at 5X, we will be over the 1000MHz limit and we will run into stability issues.\n\nD) Disable the Cool n' Quiet feature prevalent on AMD boards if it is enabled.\n\nE) Disable Spread Spectrum\n\nF) Save your settings and boot to Windows.\n\nG) Using ClockGen, let it raise your memory speeds automatically or do it manually at 5Mhz increments (If at 200MHz, set it to 205MHz.).\n\nH) Do this until it locks up or artifacts appear. Record this number.\n\nI) On lockup, reboot your PC into BIOS.\n\nJ) Set you CPU Clock/FSB to the number prior to your recorded number. (If doing 5MHz steps, 5MHz less than your recorded number.\n\nK) Save your settings and boot to Windows.\n\nL) Run all tests on Memtest86 one time to check for errors. If you get any errors they will present themselves as red lines at the bottom of the window. Upon seeing these lines, reboot into BIOS. Go to step M). If you don't see these lines, go to step N).\n\nM) Lower your CPU Clock/FSB down by 3MHz, save and boot into Windows. Then run Memtest86 again. Do this until you receive no errors. Skip step N).\n\nN) Raise your CPU Clock/FSB up by 1 MHz, save and boot into Windows. Then run Memtest86 again. Do this until you receive an error. Upon receiving the error, lower the CPU Clock/FSB down to its prior stable state. Recor
Computers & Internet
176,563
9Politics & Government
Who are the US senetors?
Akaka, Daniel K.- (D - HI) Class I \n141 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-6361 \nE-mail: senator@akaka.senate.gov \n \nAlexander, Lamar- (R - TN) Class II \n302 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4944 \nWeb Form: alexander.senate.gov/index.cfm?FuseAction=Contact.Home \n \nAllard, Wayne- (R - CO) Class II \n521 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5941 \nWeb Form: allard.senate.gov/public/index.cfm?FuseAction=Contact.Home \n \nAllen, George- (R - VA) Class I \n204 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4024 \nWeb Form: allen.senate.gov/index.cfm?c=email \n \nBaucus, Max- (D - MT) Class II \n511 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2651 \nWeb Form: baucus.senate.gov/contact/emailForm.cfm?subj=issue \n \nBayh, Evan- (D - IN) Class III \n463 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5623 \nWeb Form: bayh.senate.gov/WebMail1.htm \n \nBennett, Robert F.- (R - UT) Class III \n431 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5444 \nWeb Form: bennett.senate.gov/contact/emailmain.html \n \nBiden, Joseph R., Jr.- (D - DE) Class II \n201 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5042 \nE-mail: senator@biden.senate.gov \n \nBingaman, Jeff- (D - NM) Class I \n703 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5521 \nE-mail: senator_bingaman@bingaman.senate.gov \n \nBond, Christopher S.- (R - MO) Class III \n274 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5721 \nWeb Form: bond.senate.gov/contact/contactme.cfm \n \nBoxer, Barbara- (D - CA) Class III \n112 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3553 \nWeb Form: boxer.senate.gov/contact \n \nBrownback, Sam- (R - KS) Class III \n303 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-6521 \nWeb Form: brownback.senate.gov/CMEmailMe.cfm \n \nBunning, Jim- (R - KY) Class III \n316 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4343 \nWeb Form: bunning.senate.gov/index.cfm?FuseAction=Contact.Email \n \nBurns, Conrad- (R - MT) Class I \n187 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2644 \nWeb Form: burns.senate.gov/index.cfm?FuseAction=Home.Contact \n \nBurr, Richard- (R - NC) Class III \n217 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3154 \nWeb Form: burr.senate.gov/index.cfm?FuseAction=Contact.Home \n \nByrd, Robert C.- (D - WV) Class I \n311 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3954 \nWeb Form: byrd.senate.gov/byrd_email.html \n \nCantwell, Maria- (D - WA) Class I \n717 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3441 \nWeb Form: cantwell.senate.gov/contact/index.html \n \nCarper, Thomas R.- (D - DE) Class I \n513 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2441 \nWeb Form: carper.senate.gov/aemail.htm \n \nChafee, Lincoln- (R - RI) Class I \n141A RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2921 \nWeb Form: chafee.senate.gov/webform.htm \n \nChambliss, Saxby- (R - GA) Class II \n416 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3521 \nWeb Form: chambliss.senate.gov/Contact/default.cfm?pagemode=1 \n \nClinton, Hillary Rodham- (D - NY) Class I \n476 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4451 \nWeb Form: clinton.senate.gov/contact \n \nCoburn, Tom- (R - OK) Class III \n172 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5754 \nWeb Form: coburn.senate.gov/index.cfm?FuseAction=Contact.Home \n \nCochran, Thad- (R - MS) Class II \n113 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5054 \nWeb Form: cochran.senate.gov/contact.htm \n \nColeman, Norm- (R - MN) Class II \n320 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5641 \nWeb Form: coleman.senate.gov/index.cfm?FuseAction=Contact.ContactForm \n \nCollins, Susan M.- (R - ME) Class II \n461 DIRKSEN SE
1,602
Who are the US senetors?Akaka, Daniel K.- (D - HI) Class I \n141 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-6361 \nE-mail: senator@akaka.senate.gov \n \nAlexander, Lamar- (R - TN) Class II \n302 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4944 \nWeb Form: alexander.senate.gov/index.cfm?FuseAction=Contact.Home \n \nAllard, Wayne- (R - CO) Class II \n521 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5941 \nWeb Form: allard.senate.gov/public/index.cfm?FuseAction=Contact.Home \n \nAllen, George- (R - VA) Class I \n204 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4024 \nWeb Form: allen.senate.gov/index.cfm?c=email \n \nBaucus, Max- (D - MT) Class II \n511 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2651 \nWeb Form: baucus.senate.gov/contact/emailForm.cfm?subj=issue \n \nBayh, Evan- (D - IN) Class III \n463 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5623 \nWeb Form: bayh.senate.gov/WebMail1.htm \n \nBennett, Robert F.- (R - UT) Class III \n431 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5444 \nWeb Form: bennett.senate.gov/contact/emailmain.html \n \nBiden, Joseph R., Jr.- (D - DE) Class II \n201 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5042 \nE-mail: senator@biden.senate.gov \n \nBingaman, Jeff- (D - NM) Class I \n703 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5521 \nE-mail: senator_bingaman@bingaman.senate.gov \n \nBond, Christopher S.- (R - MO) Class III \n274 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5721 \nWeb Form: bond.senate.gov/contact/contactme.cfm \n \nBoxer, Barbara- (D - CA) Class III \n112 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3553 \nWeb Form: boxer.senate.gov/contact \n \nBrownback, Sam- (R - KS) Class III \n303 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-6521 \nWeb Form: brownback.senate.gov/CMEmailMe.cfm \n \nBunning, Jim- (R - KY) Class III \n316 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4343 \nWeb Form: bunning.senate.gov/index.cfm?FuseAction=Contact.Email \n \nBurns, Conrad- (R - MT) Class I \n187 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2644 \nWeb Form: burns.senate.gov/index.cfm?FuseAction=Home.Contact \n \nBurr, Richard- (R - NC) Class III \n217 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3154 \nWeb Form: burr.senate.gov/index.cfm?FuseAction=Contact.Home \n \nByrd, Robert C.- (D - WV) Class I \n311 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3954 \nWeb Form: byrd.senate.gov/byrd_email.html \n \nCantwell, Maria- (D - WA) Class I \n717 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3441 \nWeb Form: cantwell.senate.gov/contact/index.html \n \nCarper, Thomas R.- (D - DE) Class I \n513 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2441 \nWeb Form: carper.senate.gov/aemail.htm \n \nChafee, Lincoln- (R - RI) Class I \n141A RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-2921 \nWeb Form: chafee.senate.gov/webform.htm \n \nChambliss, Saxby- (R - GA) Class II \n416 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-3521 \nWeb Form: chambliss.senate.gov/Contact/default.cfm?pagemode=1 \n \nClinton, Hillary Rodham- (D - NY) Class I \n476 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-4451 \nWeb Form: clinton.senate.gov/contact \n \nCoburn, Tom- (R - OK) Class III \n172 RUSSELL SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5754 \nWeb Form: coburn.senate.gov/index.cfm?FuseAction=Contact.Home \n \nCochran, Thad- (R - MS) Class II \n113 DIRKSEN SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5054 \nWeb Form: cochran.senate.gov/contact.htm \n \nColeman, Norm- (R - MN) Class II \n320 HART SENATE OFFICE BUILDING WASHINGTON DC 20510 \n(202) 224-5641 \nWeb Form: coleman.senate.gov/index.cfm?FuseAction=Contact.ContactForm \n \nCollins, Susan M.- (R - ME) Class II \n461 DIRKSEN SE
Politics & Government
176,765
6Business & Finance
Have Union National Jamestown NY possible secretarydesk antique. Want info how to research it 1820's?
Need to find info on this antique piece. Said that there is 13 squares of glass that represent 13 colonies maybe done 40 years after colonies Might date back as far as 1820 but not sure. Item in excellent condition. Markings say Union National Jamestown NY Any info on how to research this piece will be greatly appreciated. Has screwed/nailed on plaque of knight on horse with shield, horse standing up on hind feet and says Union National james Town NY. Stands high with both top pieces sweeping upwards towards upright spool. Top section will display bottles tall items center opens down to write on with little boxes
Could this possibly be a CHINOISERIE BREAKFRONT SECRETARY BOOKCASE? The sites below can give you a rough estimate of what it might be worth on today's market. You'll have to contact the website owner in order to get prices on some of these:\n\nthere's one here: http://www.liveauctioneers.com/s/lot-417285.html\n\nAnd one here: Already sold but you can contact the dealer for a sell price estimate http://www.trocadero.com/zinkstudios/items/267505/item267505.html\n\nOne here: http://www.antiqnet.com/detail,union-national-chinoiserie,620335.html\n\nhttp://www.antiqnet.com/detail,superior-quality-union,713078.html\n\nhttp://www.rubylane.com/shops/piatik/item/PS02-10-06-01\n\nITEM # 403: http://www.burchardgalleries.com/auctions/2005/jun2605/full_catalog_page9.htm\n\nSome history:\nAlthough France and England had shown considerable fascination with "things Oriental" - Chinese porcelain, rugs, jewelry, painting - in the 18th century, the Chow Chow did not make its appearance in Western Europe until very late in the 18th century and in the greater numbers in the early part of the 19th century. The "Chinoiserie" of the 1700's in England had awakened a profound fascination with China so that the Chow Chow, the Chinese Dog, was heralded with enthusiasm when the breed first arrived about 1780 and later in 1820, brought from China by the clipper ships. \n\nChinoiserie is one of the strongest most consistent strains in western taste…the style's origins lie in the extravagant tales of Marco Polo and the merchant adventurers of the seventeenth century\n\nA lot of the scenes depicted on this type of furniture was influenced by this artist:\n\nJean-Baptiste Le Prince, French painter, draftsman, and engraver born on 17 September 1734.\n— Born to a family of ornamental sculptors and gilders, he became famous for creating a new kind of genre picture, based on the direct observation of Russian subjects, and also for perfecting aquatint technique. Sometime about 1750 he became a student of François Boucher, thanks to the protection of the Maréchal de Belle-Isle [1684–1761], governor of Metz. Boucher’s saturated brushwork, highly finished surfaces and incisive drawing had a decisive impact upon the young artist, as did, perhaps, the diversity of his output. He was also inspired by 17th-century Dutch and Flemish genre and landscape painters. Le Prince’s name was synonymous with the fanciful and exotic decorations he produced. His picturesque depictions of day-to-day life in Russia, known as russeries and his exotic portrayals of Chinamen were in high demand during his lifetime. The vogue for decorating homes with exotic silks, porcelain and prints imported from the Far East, inspired artists, like Le Prince, to take advantage of this exoticism and incorporate fantasy and whimsy into their own decorations. A testament to the growing interest in the East was the Chinoiserie trade card that François Boucher designed for Gersaint’s shop on the Pont-Notre-Dame A la Pagode.\n— A great traveler (Finland, Lithuania, Russia, Siberia), he introduced Russian subjects into France. Born in Metz, Leprince became known in France for his history paintings, landscapes, portraits, and genre scenes, as well as for his engravings. He studied with the greatest official painter of eighteenth-century France, François Boucher (1703-1770), often painting pastoral scenes in his master's rococo style. In 1758, when he was twenty-four, Leprince went to Russia for five years to work for the Imperial Palace in St. Petersburg. He decorated much of that palace and many others with his interior designs and paintings. He returned to France in December 1763. \n— Two influences were paramount for Le Prince: his teacher François Boucher and his stay in Russia. Born to a family of ornamental sculptors and gilders, Le Prince began studying under Boucher about 1750. His master's tightly controlled brushwork and highly f
1,145
Have Union National Jamestown NY possible secretarydesk antique. Want info how to research it 1820's?Need to find info on this antique piece. Said that there is 13 squares of glass that represent 13 colonies maybe done 40 years after colonies Might date back as far as 1820 but not sure. Item in excellent condition. Markings say Union National Jamestown NY Any info on how to research this piece will be greatly appreciated. Has screwed/nailed on plaque of knight on horse with shield, horse standing up on hind feet and says Union National james Town NY. Stands high with both top pieces sweeping upwards towards upright spool. Top section will display bottles tall items center opens down to write on with little boxesCould this possibly be a CHINOISERIE BREAKFRONT SECRETARY BOOKCASE? The sites below can give you a rough estimate of what it might be worth on today's market. You'll have to contact the website owner in order to get prices on some of these:\n\nthere's one here: http://www.liveauctioneers.com/s/lot-417285.html\n\nAnd one here: Already sold but you can contact the dealer for a sell price estimate http://www.trocadero.com/zinkstudios/items/267505/item267505.html\n\nOne here: http://www.antiqnet.com/detail,union-national-chinoiserie,620335.html\n\nhttp://www.antiqnet.com/detail,superior-quality-union,713078.html\n\nhttp://www.rubylane.com/shops/piatik/item/PS02-10-06-01\n\nITEM # 403: http://www.burchardgalleries.com/auctions/2005/jun2605/full_catalog_page9.htm\n\nSome history:\nAlthough France and England had shown considerable fascination with "things Oriental" - Chinese porcelain, rugs, jewelry, painting - in the 18th century, the Chow Chow did not make its appearance in Western Europe until very late in the 18th century and in the greater numbers in the early part of the 19th century. The "Chinoiserie" of the 1700's in England had awakened a profound fascination with China so that the Chow Chow, the Chinese Dog, was heralded with enthusiasm when the breed first arrived about 1780 and later in 1820, brought from China by the clipper ships. \n\nChinoiserie is one of the strongest most consistent strains in western taste…the style's origins lie in the extravagant tales of Marco Polo and the merchant adventurers of the seventeenth century\n\nA lot of the scenes depicted on this type of furniture was influenced by this artist:\n\nJean-Baptiste Le Prince, French painter, draftsman, and engraver born on 17 September 1734.\n— Born to a family of ornamental sculptors and gilders, he became famous for creating a new kind of genre picture, based on the direct observation of Russian subjects, and also for perfecting aquatint technique. Sometime about 1750 he became a student of François Boucher, thanks to the protection of the Maréchal de Belle-Isle [1684–1761], governor of Metz. Boucher’s saturated brushwork, highly finished surfaces and incisive drawing had a decisive impact upon the young artist, as did, perhaps, the diversity of his output. He was also inspired by 17th-century Dutch and Flemish genre and landscape painters. Le Prince’s name was synonymous with the fanciful and exotic decorations he produced. His picturesque depictions of day-to-day life in Russia, known as russeries and his exotic portrayals of Chinamen were in high demand during his lifetime. The vogue for decorating homes with exotic silks, porcelain and prints imported from the Far East, inspired artists, like Le Prince, to take advantage of this exoticism and incorporate fantasy and whimsy into their own decorations. A testament to the growing interest in the East was the Chinoiserie trade card that François Boucher designed for Gersaint’s shop on the Pont-Notre-Dame A la Pagode.\n— A great traveler (Finland, Lithuania, Russia, Siberia), he introduced Russian subjects into France. Born in Metz, Leprince became known in France for his history paintings, landscapes, portraits, and genre scenes, as well as for his engravings. He studied with the greatest official painter of eighteenth-century France, François Boucher (1703-1770), often painting pastoral scenes in his master's rococo style. In 1758, when he was twenty-four, Leprince went to Russia for five years to work for the Imperial Palace in St. Petersburg. He decorated much of that palace and many others with his interior designs and paintings. He returned to France in December 1763. \n— Two influences were paramount for Le Prince: his teacher François Boucher and his stay in Russia. Born to a family of ornamental sculptors and gilders, Le Prince began studying under Boucher about 1750. His master's tightly controlled brushwork and highly f
Business & Finance
177,497
0Society & Culture
Why are people so fanatic that they just believe everything in the Bible?
Without questioning if it's true or not. After all, the Bible was writen by people. Humans created God, or God created Humans, isn't that the dilema?
Because they Don't know anything about false info or even the very clear contradiction in it like\n\nWho incited David to count the fighting men of Israel? \n\n(a) God did (2 Samuel 24: 1) \n\n(b) Satan did (I Chronicles 2 1:1) \n\n\nIn that count how many fighting men were found in Israel? \n\n(a) Eight hundred thousand (2 Samuel 24:9) \n\n(b) One million, one hundred thousand (IChronicles 21:5) \n\n\nHow many fighting men were found in Judah? \n\n(a) Five hundred thousand (2 Samuel 24:9) \n\n(b) Four hundred and seventy thousand (I Chronicles 21:5) \n\n\nGod sent his prophet to threaten David with how many years of famine? \n\n(a) Seven (2 Samuel 24:13) \n\n(b) Three (I Chronicles 21:12) \n\n\nHow old was Ahaziah when he began to rule over Jerusalem? \n\n(a) Twenty-two (2 Kings 8:26) \n\n(b) Forty-two (2 Chronicles 22:2) \n\n\n\n\nHow old was Jehoiachin when he became king of Jerusalem? \n\n(a) Eighteen (2 Kings 24: \n\n(b) Eight (2 Chronicles 36:9) \n\n\nHow long did he rule over Jerusalem? \n\n(a) Three months (2 Kings 24: \n\n(b) Three months and ten days (2 Chronicles 36:9) \n\n\nThe chief of the mighty men of David lifted up his spear and killed how many men at one time? \n\n(a) Eight hundred (2 Samuel 23: \n\n(b) Three hundred (I Chronicles 11: 11) \n\n\nWhen did David bring the Ark of the Covenant to Jerusalem? Before defeating the Philistines or after? \n\n(a) After (2 Samuel 5 and 6) \n\n(b) Before (I Chronicles 13 and 14) \n\n\nHow many pairs of clean animals did God tell Noah to take into the Ark? \n\n(a) Two (Genesis 6:19, 20) \n\n(b) Seven (Genesis 7:2). But despite this last instruction only two pairs went into the ark (Genesis 7:8-9) \n\nWhen David defeated the King of Zobah, how many horsemen did he capture? \n\n(a) One thousand and seven hundred (2 Samuel 8:4) \n\n(b) Seven thousand (I Chronicles 18:4) \n\n\nHow many stalls for horses did Solomon have? \n\n(a) Forty thousand (I Kings 4:26) \n\n(b) Four thousand (2 chronicles 9:25) \n\n\nIn what year of King Asa's reign did Baasha, King of Israel die? \n\n(a) Twenty-sixth year (I Kings 15:33 - 16: \n\n(b) Still alive in the thirty-sixth year (2 Chronicles 16:1) \n\n\nHow many overseers did Solomon appoint for the work of building the temple? \n\n(a) Three thousand six hundred (2 Chronicles 2:2) \n\n(b) Three thousand three hundred (I Kings 5:16) \n\nSolomon built a facility containing how many baths? \n\n(a) Two thousand (1 Kings 7:26) \n\n(b) Over three thousand (2 Chronicles 4:5) \n\n\nOf the Israelites who were freed from the Babylonian captivity, how many were the children of Pahrath-Moab? \n\n(a) Two thousand eight hundred and twelve (Ezra 2:6) \n\n(b) Two thousand eight hundred and eighteen (Nehemiah 7:11) \n\n\nBut The Quran makes the clear challenge, that if you are in doubt about it - then bring a book like it. Also, to bring ten chapters like it and then finally, to bring one single chapter like it. 1,400 years - and no one has been able to duplicate it's beauty, recitation, miracles and ease of memorization. Another challenge for the unbelievers to consider; "If this (Quran) were from other than Allah, you would find within it many contradictions." And yet, another challenge offered by Allah in the Quran is for the unbelievers to look around for evidences. Allah says He will show them His signs within themselves and on the farthest horizons.
1,136
Why are people so fanatic that they just believe everything in the Bible?Without questioning if it's true or not. After all, the Bible was writen by people. Humans created God, or God created Humans, isn't that the dilema?Because they Don't know anything about false info or even the very clear contradiction in it like\n\nWho incited David to count the fighting men of Israel? \n\n(a) God did (2 Samuel 24: 1) \n\n(b) Satan did (I Chronicles 2 1:1) \n\n\nIn that count how many fighting men were found in Israel? \n\n(a) Eight hundred thousand (2 Samuel 24:9) \n\n(b) One million, one hundred thousand (IChronicles 21:5) \n\n\nHow many fighting men were found in Judah? \n\n(a) Five hundred thousand (2 Samuel 24:9) \n\n(b) Four hundred and seventy thousand (I Chronicles 21:5) \n\n\nGod sent his prophet to threaten David with how many years of famine? \n\n(a) Seven (2 Samuel 24:13) \n\n(b) Three (I Chronicles 21:12) \n\n\nHow old was Ahaziah when he began to rule over Jerusalem? \n\n(a) Twenty-two (2 Kings 8:26) \n\n(b) Forty-two (2 Chronicles 22:2) \n\n\n\n\nHow old was Jehoiachin when he became king of Jerusalem? \n\n(a) Eighteen (2 Kings 24: \n\n(b) Eight (2 Chronicles 36:9) \n\n\nHow long did he rule over Jerusalem? \n\n(a) Three months (2 Kings 24: \n\n(b) Three months and ten days (2 Chronicles 36:9) \n\n\nThe chief of the mighty men of David lifted up his spear and killed how many men at one time? \n\n(a) Eight hundred (2 Samuel 23: \n\n(b) Three hundred (I Chronicles 11: 11) \n\n\nWhen did David bring the Ark of the Covenant to Jerusalem? Before defeating the Philistines or after? \n\n(a) After (2 Samuel 5 and 6) \n\n(b) Before (I Chronicles 13 and 14) \n\n\nHow many pairs of clean animals did God tell Noah to take into the Ark? \n\n(a) Two (Genesis 6:19, 20) \n\n(b) Seven (Genesis 7:2). But despite this last instruction only two pairs went into the ark (Genesis 7:8-9) \n\nWhen David defeated the King of Zobah, how many horsemen did he capture? \n\n(a) One thousand and seven hundred (2 Samuel 8:4) \n\n(b) Seven thousand (I Chronicles 18:4) \n\n\nHow many stalls for horses did Solomon have? \n\n(a) Forty thousand (I Kings 4:26) \n\n(b) Four thousand (2 chronicles 9:25) \n\n\nIn what year of King Asa's reign did Baasha, King of Israel die? \n\n(a) Twenty-sixth year (I Kings 15:33 - 16: \n\n(b) Still alive in the thirty-sixth year (2 Chronicles 16:1) \n\n\nHow many overseers did Solomon appoint for the work of building the temple? \n\n(a) Three thousand six hundred (2 Chronicles 2:2) \n\n(b) Three thousand three hundred (I Kings 5:16) \n\nSolomon built a facility containing how many baths? \n\n(a) Two thousand (1 Kings 7:26) \n\n(b) Over three thousand (2 Chronicles 4:5) \n\n\nOf the Israelites who were freed from the Babylonian captivity, how many were the children of Pahrath-Moab? \n\n(a) Two thousand eight hundred and twelve (Ezra 2:6) \n\n(b) Two thousand eight hundred and eighteen (Nehemiah 7:11) \n\n\nBut The Quran makes the clear challenge, that if you are in doubt about it - then bring a book like it. Also, to bring ten chapters like it and then finally, to bring one single chapter like it. 1,400 years - and no one has been able to duplicate it's beauty, recitation, miracles and ease of memorization. Another challenge for the unbelievers to consider; "If this (Quran) were from other than Allah, you would find within it many contradictions." And yet, another challenge offered by Allah in the Quran is for the unbelievers to look around for evidences. Allah says He will show them His signs within themselves and on the farthest horizons.
Society & Culture
177,511
4Computers & Internet
what was the first operating system and what operating systems evolved from it?
1960s\n\n * 1961\n o CTSS\n o MCP\n * 1962\n o GCOS\n * 1964\n o EXEC 8\n o OS/360 (announced)\n o TOPS-10\n * 1965\n o Multics (announced)\n o OS/360 (shipped)\n o Tape Operating System (TOS)\n * 1966\n o DOS/360 (IBM)\n o MS/8\n * 1967\n o ACP (IBM)\n o CP/CMS\n o ITS\n o WAITS\n * 1969\n o TENEX\n o Unix\n\n \n\n1970s\n\n * 1970\n o DOS/BATCH 11 (PDP-11)\n * 1971\n o OS/8\n * 1972\n o MFT (Operating System)\n o MVT\n o RDOS\n o SVS\n o VM/CMS\n * 1973\n o Alto OS\n o RSX-11D\n o RT-11\n o VME\n * 1974\n o MVS (MVS/XA)\n * 1976\n o CP/M\n o TOPS-20\n * 1978\n o Apple DOS 3.1 (first Apple OS)\n o TripOS\n o VMS\n o Lisp Machine (CADR)\n * 1979\n o POS\n\n \n\n1980s\n\n * 1980\n o OS-9\n o QDOS\n o SOS\n o XDE (Tajo) (Xerox Development Environment)\n o Xenix\n * 1981\n o MS-DOS\n * 1982\n o SunOS (1.0)\n o Ultrix\n o Commodore DOS\n * 1983\n o Lisa OS\n o Coherent\n o ProDOS\n * 1984\n o Macintosh OS (System 1.0)\n o QNX\n o UniCOS\n * 1985\n o AmigaOS\n o Atari TOS\n o MIPS OS\n o Microsoft Windows 1.0 (First Windows)\n * 1986\n o AIX\n o GS-OS\n o HP-UX\n * 1987\n o Arthur\n o IRIX (3.0 is first SGI version)\n o Minix\n o OS/2 (1.0)\n o Microsoft Windows 2.0\n * 1988\n o A/UX (Apple Computer)\n o LynxOS\n o MVS/ESA\n o OS/400\n * 1989\n o NeXTSTEP (1.0)\n o RISC OS\n o SCO Unix (release 3)\n\n \n\n1990s\n\n * 1990\n o Amiga OS 2.0\n o BeOS (v1)\n o OSF/1\n * 1991\n o Linux\n * 1992\n o 386BSD 0.1\n o Amiga OS 3.0\n o Solaris (2.0 is first not called SunOS)\n o Windows 3.1\n * 1993\n o Plan 9 (First Edition)\n o FreeBSD\n o NetBSD\n o Windows NT 3.1 (First version of NT)\n * 1995\n o Digital UNIX (aka Tru64 )\n o OpenBSD\n o OS/390\n o Windows 95\n * 1996\n o Windows NT 4.0\n * 1997\n o Inferno\n o Mac OS 7.6 (first officially-named Mac OS)\n o SkyOS\n * 1998\n o Windows 98\n * 1999\n o AROS (Boot for the first time in Stand Alone version)\n o Mac OS 8\n\n \n\n2000s\n\n * 2000\n o AtheOS\n o Mac OS 9\n o MorphOS\n o Windows 2000\n * 2001\n o Amiga OS 4.0 (May 2001)\n o Mac OS X\n o Windows XP\n o z/OS\n * 2002\n o Syllable\n * 2003\n o Windows Server 2003
1,093
what was the first operating system and what operating systems evolved from it?1960s\n\n * 1961\n o CTSS\n o MCP\n * 1962\n o GCOS\n * 1964\n o EXEC 8\n o OS/360 (announced)\n o TOPS-10\n * 1965\n o Multics (announced)\n o OS/360 (shipped)\n o Tape Operating System (TOS)\n * 1966\n o DOS/360 (IBM)\n o MS/8\n * 1967\n o ACP (IBM)\n o CP/CMS\n o ITS\n o WAITS\n * 1969\n o TENEX\n o Unix\n\n \n\n1970s\n\n * 1970\n o DOS/BATCH 11 (PDP-11)\n * 1971\n o OS/8\n * 1972\n o MFT (Operating System)\n o MVT\n o RDOS\n o SVS\n o VM/CMS\n * 1973\n o Alto OS\n o RSX-11D\n o RT-11\n o VME\n * 1974\n o MVS (MVS/XA)\n * 1976\n o CP/M\n o TOPS-20\n * 1978\n o Apple DOS 3.1 (first Apple OS)\n o TripOS\n o VMS\n o Lisp Machine (CADR)\n * 1979\n o POS\n\n \n\n1980s\n\n * 1980\n o OS-9\n o QDOS\n o SOS\n o XDE (Tajo) (Xerox Development Environment)\n o Xenix\n * 1981\n o MS-DOS\n * 1982\n o SunOS (1.0)\n o Ultrix\n o Commodore DOS\n * 1983\n o Lisa OS\n o Coherent\n o ProDOS\n * 1984\n o Macintosh OS (System 1.0)\n o QNX\n o UniCOS\n * 1985\n o AmigaOS\n o Atari TOS\n o MIPS OS\n o Microsoft Windows 1.0 (First Windows)\n * 1986\n o AIX\n o GS-OS\n o HP-UX\n * 1987\n o Arthur\n o IRIX (3.0 is first SGI version)\n o Minix\n o OS/2 (1.0)\n o Microsoft Windows 2.0\n * 1988\n o A/UX (Apple Computer)\n o LynxOS\n o MVS/ESA\n o OS/400\n * 1989\n o NeXTSTEP (1.0)\n o RISC OS\n o SCO Unix (release 3)\n\n \n\n1990s\n\n * 1990\n o Amiga OS 2.0\n o BeOS (v1)\n o OSF/1\n * 1991\n o Linux\n * 1992\n o 386BSD 0.1\n o Amiga OS 3.0\n o Solaris (2.0 is first not called SunOS)\n o Windows 3.1\n * 1993\n o Plan 9 (First Edition)\n o FreeBSD\n o NetBSD\n o Windows NT 3.1 (First version of NT)\n * 1995\n o Digital UNIX (aka Tru64 )\n o OpenBSD\n o OS/390\n o Windows 95\n * 1996\n o Windows NT 4.0\n * 1997\n o Inferno\n o Mac OS 7.6 (first officially-named Mac OS)\n o SkyOS\n * 1998\n o Windows 98\n * 1999\n o AROS (Boot for the first time in Stand Alone version)\n o Mac OS 8\n\n \n\n2000s\n\n * 2000\n o AtheOS\n o Mac OS 9\n o MorphOS\n o Windows 2000\n * 2001\n o Amiga OS 4.0 (May 2001)\n o Mac OS X\n o Windows XP\n o z/OS\n * 2002\n o Syllable\n * 2003\n o Windows Server 2003
Computers & Internet
177,552
1Science & Mathematics
maths terms - grade 8 - algebra?
can someone please tell me what is the difference between these three: (in algrbra context)\n\nfactorize\nexpand\nsimplify\n\n\nthanks :)
Megami of Nekro is mostly correct, but I will try to clarify the situation a bit. \n\n1. factorize, or factor\n\nIf you have an algebraic expression that can be described as the product of some simpler expressions, to rewrite the expression as this product is to factorize it. \n\nSuppose you want to factorize the polynomial x^2 -3*x. In the case of polynomials of some degree, we regard polynomials of lower degree as simpler. In this case, the polynomial x^2-3*x is of degree 2, because the biggest power of x is 2 (the x^2 term). The lower degree polynomials in this case are of degree 0, called numbers, and of degree 1, called monomials. We can write the polynomial x^2-3*x as the product of lower order polynomials in the following way:\n\nx^2-3*x=x(x-3)\n\nThe two monomials x and (x-3) are factors of the polynomial x^2-3*x, and by expressing the polynomial as a product of two lower order polynomials, we have "factorized it" or "factored it". \n\n\nHere is another one:\n\nx^4+2x^2+1 is factorized as \n(x^2+1)(x^2+1)\n\nWith grade 8 mathematics, you cannot go any farther than this. We replaced a 4th degree polynomial with the product of its two factors, two 2nd degree polynomials (remember, we have decided that lower degree polynomials are simpler)\n\n\nAside: It is also interesting to note that one can factor whole numbers sometimes into a product of smaller whole numbers, which we regard as simpler. Therefore, \n\n10=5*2\n\nand 24=2*2*2*3\n\nThis is also called factoring. Numbers that can be expressed this way are called composite numbers. Numbers that cannot be expressed this way are called prime numbers (the real definition is slightly more complicated: you can look it up).\n\n2. Expand\n\nTo expand an expression is usually the opposite of factorizing. You multiply all the parts of the expression, at least as much as you can, using the distributive law, etc. \n\nIn the case of the expression x(x-3), we multiply our two monomials and return to the polynomial x^2-3*x:\n\nx(x-3)=x^2-3*x\n\nHere is another example. To expand\n\nx*(y-2)*(z+5)*y\n\nwe just multiply these factors together, \n\n x*(y-2)*(z+5)*y=\n(xy-2x)*(zy+5y)=\nxzy^2+5xy^2-2xzy-10xy\n\n\n\n3. Simplify\n\nThere is some ambiguity about what it means to simplify an expression. Computer algebra programs that simplify expressions sometimes use one definition of the simplest expression, and sometimes another. It all really depends on what shows up the features you are more interested in at the time. \n\nUsually to simplify an expression you have to do things like:\n\na. add up any like terms\n\nTo simplify 5x + 2y+ 2x+3+4, we add the terms with just numbers in them, and add the terms with just xs in them:\n\n5x + 2y+ 2x+3+4=7x+2y+7\n\nb. Multiply any numbers that can be multiplied\n\n5*2*x+2+y simplified is usually 10x+y+2\n\nc. Usually, when one simplifies an expression, the big powers are presented first, and the small powers follow (or sometimes vice versa).\n\nx+x^3+x^2 can be simplified as either \n\nx^3+x^2+x or x+x^2+x^3, depending on taste, the needs of the moment, etc.\n\n\nd. Usually when simplifying, any numbers or polynomials in ratios that can be divided will be\n\nSo 10/6 is often simplified as 5/3\n\nAnd (x^2-3*x)/x is often simplified as x-3\n\nHopefully that should get you started.
1,034
maths terms - grade 8 - algebra?can someone please tell me what is the difference between these three: (in algrbra context)\n\nfactorize\nexpand\nsimplify\n\n\nthanks :)Megami of Nekro is mostly correct, but I will try to clarify the situation a bit. \n\n1. factorize, or factor\n\nIf you have an algebraic expression that can be described as the product of some simpler expressions, to rewrite the expression as this product is to factorize it. \n\nSuppose you want to factorize the polynomial x^2 -3*x. In the case of polynomials of some degree, we regard polynomials of lower degree as simpler. In this case, the polynomial x^2-3*x is of degree 2, because the biggest power of x is 2 (the x^2 term). The lower degree polynomials in this case are of degree 0, called numbers, and of degree 1, called monomials. We can write the polynomial x^2-3*x as the product of lower order polynomials in the following way:\n\nx^2-3*x=x(x-3)\n\nThe two monomials x and (x-3) are factors of the polynomial x^2-3*x, and by expressing the polynomial as a product of two lower order polynomials, we have "factorized it" or "factored it". \n\n\nHere is another one:\n\nx^4+2x^2+1 is factorized as \n(x^2+1)(x^2+1)\n\nWith grade 8 mathematics, you cannot go any farther than this. We replaced a 4th degree polynomial with the product of its two factors, two 2nd degree polynomials (remember, we have decided that lower degree polynomials are simpler)\n\n\nAside: It is also interesting to note that one can factor whole numbers sometimes into a product of smaller whole numbers, which we regard as simpler. Therefore, \n\n10=5*2\n\nand 24=2*2*2*3\n\nThis is also called factoring. Numbers that can be expressed this way are called composite numbers. Numbers that cannot be expressed this way are called prime numbers (the real definition is slightly more complicated: you can look it up).\n\n2. Expand\n\nTo expand an expression is usually the opposite of factorizing. You multiply all the parts of the expression, at least as much as you can, using the distributive law, etc. \n\nIn the case of the expression x(x-3), we multiply our two monomials and return to the polynomial x^2-3*x:\n\nx(x-3)=x^2-3*x\n\nHere is another example. To expand\n\nx*(y-2)*(z+5)*y\n\nwe just multiply these factors together, \n\n x*(y-2)*(z+5)*y=\n(xy-2x)*(zy+5y)=\nxzy^2+5xy^2-2xzy-10xy\n\n\n\n3. Simplify\n\nThere is some ambiguity about what it means to simplify an expression. Computer algebra programs that simplify expressions sometimes use one definition of the simplest expression, and sometimes another. It all really depends on what shows up the features you are more interested in at the time. \n\nUsually to simplify an expression you have to do things like:\n\na. add up any like terms\n\nTo simplify 5x + 2y+ 2x+3+4, we add the terms with just numbers in them, and add the terms with just xs in them:\n\n5x + 2y+ 2x+3+4=7x+2y+7\n\nb. Multiply any numbers that can be multiplied\n\n5*2*x+2+y simplified is usually 10x+y+2\n\nc. Usually, when one simplifies an expression, the big powers are presented first, and the small powers follow (or sometimes vice versa).\n\nx+x^3+x^2 can be simplified as either \n\nx^3+x^2+x or x+x^2+x^3, depending on taste, the needs of the moment, etc.\n\n\nd. Usually when simplifying, any numbers or polynomials in ratios that can be divided will be\n\nSo 10/6 is often simplified as 5/3\n\nAnd (x^2-3*x)/x is often simplified as x-3\n\nHopefully that should get you started.
Science & Mathematics
177,812
0Society & Culture
Is jesus god or the son of God?
Some people refer to Jesus as the lord and some say he is the son of God. I am not sure which one to believe in. And why is he the son of God, is it because he said so (than we are also the sons because he said that in the bible and he is not higher than us snce we are all sons)\n Or is it because he was born without a father? Like Adam and eve?
Some believe there is a three in one, the trinity, Bible Scholar's cannot explain it, and even "Schnab" cannot explain the trinity, and the reason is because there is no such thing as the trinity. And Jesus proves it with this Scripture, he says there is only one that is good, GOD.\n\nMark 10:18  And Jesus said unto him, Why callest thou me good? there is none good but one, that is, God. From King James Bible\n\n\nIf Jehovah is “the only true God,” what kind of “God” is Jesus?\n\nJesus himself referred to his Father as “the only true God.” (John 17:3) Jehovah himself said: “Besides me there is no God.” (Isa. 44:6) The apostle Paul wrote that, to true Christians, “there is . . . one God the Father.” (1 Cor. 8:5, 6) So Jehovah is unique; no one else shares his position. Jehovah stands in utter contrast to all such objects of worship as idols, deified humans, and Satan. All these are false gods.\n\nJesus is spoken of in the Scriptures as “a god,” even as “Mighty God.” (John 1:1; Isa. 9:6) But nowhere is he spoken of as being Almighty, as Jehovah is. (Gen. 17:1) Jesus is said to be “the reflection of [God’s] glory,” but the Father is the Source of that glory. (Heb. 1:3) Jesus in no way seeks the position of his Father. He said: “It is Jehovah your God you must worship, and it is to him alone you must render sacred service.” (Luke 4:8) He exists “in God’s form,” and the Father has commanded that “in the name of Jesus every knee should bend,” but this is all done “to the glory of God the Father.”—Phil. 2:5-11; see also pages 212-216.\n\nDoes John 1:1 prove that Jesus is God?\n\nJohn 1:1, RS: “In the beginning was the Word, and the Word was with God, and the Word was God [also KJ, JB, Dy, Kx, NAB].” NE reads “what God was, the Word was.” Mo says “the Logos was divine.” AT and Sd tell us “the Word was divine.” The interlinear rendering of ED is “a god was the Word.” NW reads “the Word was a god”; NTIV uses the same wording.\n\nNotice, too, how other translations render this part of the verse:\n\n1808: “and the word was a god.” The New Testament in an Improved Version, Upon the Basis of Archbishop Newcome’s New Translation: With a Corrected Text.\n\n1864: “and a god was the word.” The Emphatic Diaglott, interlinear reading, by Benjamin Wilson.\n\n1928: “and the Word was a divine being.” La Bible du Centenaire, L’Evangile selon Jean, by Maurice Goguel.\n\n1935: “and the Word was divine.” The Bible—An American Translation, by J. M. P. Smith and E. J. Goodspeed.\n\n1946: “and of a divine kind was the Word.” Das Neue Testament, by Ludwig Thimme.\n\n1950: “and the Word was a god.” New World Translation of the Christian Greek Scriptures.\n\n1958: “and the Word was a God.” The New Testament, by James L. Tomanek.\n\n1975: “and a god (or, of a divine kind) was the Word.” Das Evangelium nach Johannes, by Siegfried Schulz.\n\n1978: “and godlike kind was the Logos.” Das Evangelium nach Johannes, by Johannes Schneider.\n\nWhat is it that these translators are seeing in the Greek text that moves some of them to refrain from saying “the Word was God”? The definite article (the) appears before the first occurrence of the·os´ (God) but not before the second. The articular (when the article appears) construction of the noun points to an identity, a personality, whereas a singular anarthrous (without the article) predicate noun before the verb (as the sentence is constructed in Greek) points to a quality about someone. So the text is not saying that the Word (Jesus) was the same as the God with whom he was but, rather, that the Word was godlike, divine, a god. (See 1984 Reference edition of NW, p. 1579.)\n\nWhat did the apostle John mean when he wrote John 1:1? Did he mean that Jesus is himself God or perhaps that Jesus is one God with the Father? In the same chapter, verse 18, John wrote: “No one [
1,191
Is jesus god or the son of God?Some people refer to Jesus as the lord and some say he is the son of God. I am not sure which one to believe in. And why is he the son of God, is it because he said so (than we are also the sons because he said that in the bible and he is not higher than us snce we are all sons)\n Or is it because he was born without a father? Like Adam and eve?Some believe there is a three in one, the trinity, Bible Scholar's cannot explain it, and even "Schnab" cannot explain the trinity, and the reason is because there is no such thing as the trinity. And Jesus proves it with this Scripture, he says there is only one that is good, GOD.\n\nMark 10:18  And Jesus said unto him, Why callest thou me good? there is none good but one, that is, God. From King James Bible\n\n\nIf Jehovah is “the only true God,” what kind of “God” is Jesus?\n\nJesus himself referred to his Father as “the only true God.” (John 17:3) Jehovah himself said: “Besides me there is no God.” (Isa. 44:6) The apostle Paul wrote that, to true Christians, “there is . . . one God the Father.” (1 Cor. 8:5, 6) So Jehovah is unique; no one else shares his position. Jehovah stands in utter contrast to all such objects of worship as idols, deified humans, and Satan. All these are false gods.\n\nJesus is spoken of in the Scriptures as “a god,” even as “Mighty God.” (John 1:1; Isa. 9:6) But nowhere is he spoken of as being Almighty, as Jehovah is. (Gen. 17:1) Jesus is said to be “the reflection of [God’s] glory,” but the Father is the Source of that glory. (Heb. 1:3) Jesus in no way seeks the position of his Father. He said: “It is Jehovah your God you must worship, and it is to him alone you must render sacred service.” (Luke 4:8) He exists “in God’s form,” and the Father has commanded that “in the name of Jesus every knee should bend,” but this is all done “to the glory of God the Father.”—Phil. 2:5-11; see also pages 212-216.\n\nDoes John 1:1 prove that Jesus is God?\n\nJohn 1:1, RS: “In the beginning was the Word, and the Word was with God, and the Word was God [also KJ, JB, Dy, Kx, NAB].” NE reads “what God was, the Word was.” Mo says “the Logos was divine.” AT and Sd tell us “the Word was divine.” The interlinear rendering of ED is “a god was the Word.” NW reads “the Word was a god”; NTIV uses the same wording.\n\nNotice, too, how other translations render this part of the verse:\n\n1808: “and the word was a god.” The New Testament in an Improved Version, Upon the Basis of Archbishop Newcome’s New Translation: With a Corrected Text.\n\n1864: “and a god was the word.” The Emphatic Diaglott, interlinear reading, by Benjamin Wilson.\n\n1928: “and the Word was a divine being.” La Bible du Centenaire, L’Evangile selon Jean, by Maurice Goguel.\n\n1935: “and the Word was divine.” The Bible—An American Translation, by J. M. P. Smith and E. J. Goodspeed.\n\n1946: “and of a divine kind was the Word.” Das Neue Testament, by Ludwig Thimme.\n\n1950: “and the Word was a god.” New World Translation of the Christian Greek Scriptures.\n\n1958: “and the Word was a God.” The New Testament, by James L. Tomanek.\n\n1975: “and a god (or, of a divine kind) was the Word.” Das Evangelium nach Johannes, by Siegfried Schulz.\n\n1978: “and godlike kind was the Logos.” Das Evangelium nach Johannes, by Johannes Schneider.\n\nWhat is it that these translators are seeing in the Greek text that moves some of them to refrain from saying “the Word was God”? The definite article (the) appears before the first occurrence of the·os´ (God) but not before the second. The articular (when the article appears) construction of the noun points to an identity, a personality, whereas a singular anarthrous (without the article) predicate noun before the verb (as the sentence is constructed in Greek) points to a quality about someone. So the text is not saying that the Word (Jesus) was the same as the God with whom he was but, rather, that the Word was godlike, divine, a god. (See 1984 Reference edition of NW, p. 1579.)\n\nWhat did the apostle John mean when he wrote John 1:1? Did he mean that Jesus is himself God or perhaps that Jesus is one God with the Father? In the same chapter, verse 18, John wrote: “No one [
Society & Culture
178,353
6Business & Finance
What are the top products exported from the United States?
From government's TradeStats Express database, top US export products for 2004 (2005 data not yet available) are as follows:\n\nTotal All Merchandise - 2004 Exports to World : in thousands ($ USD) Item 2004 \nTotal 817,935,849 \n\n84--NUCLEAR REACTORS, BOILERS, MACHINERY ETC.; PARTS 149,068,073 \n85--ELECTRIC MACHINERY ETC; SOUND EQUIP; TV EQUIP; PTS 124,803,540 \n87--VEHICLES, EXCEPT RAILWAY OR TRAMWAY, AND PARTS ETC 73,308,998 \n90--OPTIC, PHOTO ETC, MEDIC OR SURGICAL INSTRMENTS ETC 51,160,176 \n88--AIRCRAFT, SPACECRAFT, AND PARTS THEREOF 42,122,384 \n39--PLASTICS AND ARTICLES THEREOF 33,705,055 \n29--ORGANIC CHEMICALS 30,367,713 \n98--SPECIAL CLASSIFICATION PROVISIONS, NESOI 24,644,628 \n30--PHARMACEUTICAL PRODUCTS 19,506,790 \n27--MINERAL FUEL, OIL ETC.; BITUMIN SUBST; MINERAL WAX 18,954,856 \n71--NAT ETC PEARLS, PREC ETC STONES, PR MET ETC; COIN 18,092,726 \n10--CEREALS 13,136,432 \n38--MISCELLANEOUS CHEMICAL PRODUCTS 12,553,018 \n48--PAPER & PAPERBOARD & ARTICLES (INC PAPR PULP ARTL) 11,482,739 \n73--ARTICLES OF IRON OR STEEL 9,419,097 \n72--IRON AND STEEL 8,917,444 \n12--OIL SEEDS ETC.; MISC GRAIN, SEED, FRUIT, PLANT ETC 8,682,108 \n40--RUBBER AND ARTICLES THEREOF 7,600,858 \n28--INORG CHEM; PREC & RARE-EARTH MET & RADIOACT COMPD 6,846,871 \n52--COTTON, INCLUDING YARN AND WOVEN FABRIC THEREOF 6,371,180 \n94--FURNITURE; BEDDING ETC; LAMPS NESOI ETC; PREFAB BD 6,255,272 \n76--ALUMINUM AND ARTICLES THEREOF 5,977,893 \n44--WOOD AND ARTICLES OF WOOD; WOOD CHARCOAL 5,867,086 \n33--ESSENTIAL OILS ETC; PERFUMERY, COSMETIC ETC PREPS 5,516,433 \n08--EDIBLE FRUIT & NUTS; CITRUS FRUIT OR MELON PEEL 5,368,753 \n02--MEAT AND EDIBLE MEAT OFFAL 4,771,190 \n32--TANNING & DYE EXT ETC; DYE, PAINT, PUTTY ETC; INKS 4,756,548 \n49--PRINTED BOOKS, NEWSPAPERS ETC; MANUSCRIPTS ETC 4,667,938 \n47--WOOD PULP ETC; RECOVD (WASTE & SCRAP) PPR & PPRBD 4,621,798 \n95--TOYS, GAMES & SPORT EQUIPMENT; PARTS & ACCESSORIES 4,225,899 \n70--GLASS AND GLASSWARE 3,879,154 \n97--WORKS OF ART, COLLECTORS' PIECES AND ANTIQUES 3,514,577 \n23--FOOD INDUSTRY RESIDUES & WASTE; PREP ANIMAL FEED 3,473,421 \n74--COPPER AND ARTICLES THEREOF 3,435,914 \n21--MISCELLANEOUS EDIBLE PREPARATIONS 3,428,131 \n03--FISH, CRUSTACEANS & AQUATIC INVERTEBRATES 3,307,478 \n83--MISCELLANEOUS ARTICLES OF BASE METAL 3,258,373 \n34--SOAP ETC; WAXES, POLISH ETC; CANDLES; DENTAL PREPS 3,231,441 \n82--TOOLS, CUTLERY ETC. OF BASE METAL & PARTS THEREOF 3,201,629 \n37--PHOTOGRAPHIC OR CINEMATOGRAPHIC GOODS 2,889,897 \n31--FERTILIZERS 2,846,078 \n41--RAW HIDES AND SKINS (NO FURSKINS) AND LEATHER 2,785,891 \n61--APPAREL ARTICLES AND ACCESSORIES, KNIT OR CROCHET 2,698,879 \n24--TOBACCO AND MANUFACTURED TOBACCO SUBSTITUTES 2,654,865 \n93--ARMS AND AMMUNITION; PARTS AND ACCESSORIES THEREOF 2,309,864 \n22--BEVERAGES, SPIRITS AND VINEGAR 2,258,501 \n20--PREP VEGETABLES, FRUIT, NUTS OR OTHER PLANT PARTS 2,202,464 \n07--EDIBLE VEGETABLES & CERTAIN ROOTS & TUBERS 2,151,307 \n15--ANIMAL OR VEGETABLE FATS, OILS ETC. & WAXES 2,023,416 \n62--APPAREL ARTICLES AND ACCESSORIES, NOT KNIT ETC. 1,877,031 \n54--MANMADE FILAMENTS, INCLUDING YARNS & WOVEN FABRICS 1,866,493 \n26--ORES, SLAG AND ASH 1,790,251 \n89--SHIPS, BOATS AND FLOATING STRUCTURES 1,784,073 \n86--RAILWAY OR TRAMWAY STOCK ETC; TRAFFIC SIGNAL EQUIP 1,762,987 \n19--PREP CEREAL, FLOUR, STARCH OR MILK; BAKERS WARES 1,758,481 \n55--MANMADE STAPLE FIBERS, INCL YARNS & WOVEN FABRICS 1,719,271 \n25--SALT; SULFUR; EARTH & STONE; LIME & CEMENT PLASTER 1,677,795 \n68--ART OF STONE, PLASTER, CEMENT, ASBESTOS, MICA ETC. 1,659,470 \n60--KNITTED OR CROCHETED FABRICS 1,658,579 \n35--ALBUMINOIDAL SUBST; MODIFIED STARCH; GLUE; ENZYMES 1,653,820 \n59--IMPREGNATED ETC TEXT FABRICS; TEX ART FOR INDUSTRY 1,462,902 \n56--WADDING, FELT ETC; SP YARN; TWINE, ROPES ETC. 1,430,737 \n81--BASE METALS NESOI; CERMETS; ARTICLES THEREOF 1,325,320 \n04--DAIRY PRODS; BIRDS EGGS; HONEY; ED ANIMAL PR NESOI 1,181,479 \n96--MISCELLANEOUS MANUFACTURED ARTICLES 1,179,260 \n63--TEXTI
1,781
What are the top products exported from the United States?From government's TradeStats Express database, top US export products for 2004 (2005 data not yet available) are as follows:\n\nTotal All Merchandise - 2004 Exports to World : in thousands ($ USD) Item 2004 \nTotal 817,935,849 \n\n84--NUCLEAR REACTORS, BOILERS, MACHINERY ETC.; PARTS 149,068,073 \n85--ELECTRIC MACHINERY ETC; SOUND EQUIP; TV EQUIP; PTS 124,803,540 \n87--VEHICLES, EXCEPT RAILWAY OR TRAMWAY, AND PARTS ETC 73,308,998 \n90--OPTIC, PHOTO ETC, MEDIC OR SURGICAL INSTRMENTS ETC 51,160,176 \n88--AIRCRAFT, SPACECRAFT, AND PARTS THEREOF 42,122,384 \n39--PLASTICS AND ARTICLES THEREOF 33,705,055 \n29--ORGANIC CHEMICALS 30,367,713 \n98--SPECIAL CLASSIFICATION PROVISIONS, NESOI 24,644,628 \n30--PHARMACEUTICAL PRODUCTS 19,506,790 \n27--MINERAL FUEL, OIL ETC.; BITUMIN SUBST; MINERAL WAX 18,954,856 \n71--NAT ETC PEARLS, PREC ETC STONES, PR MET ETC; COIN 18,092,726 \n10--CEREALS 13,136,432 \n38--MISCELLANEOUS CHEMICAL PRODUCTS 12,553,018 \n48--PAPER & PAPERBOARD & ARTICLES (INC PAPR PULP ARTL) 11,482,739 \n73--ARTICLES OF IRON OR STEEL 9,419,097 \n72--IRON AND STEEL 8,917,444 \n12--OIL SEEDS ETC.; MISC GRAIN, SEED, FRUIT, PLANT ETC 8,682,108 \n40--RUBBER AND ARTICLES THEREOF 7,600,858 \n28--INORG CHEM; PREC & RARE-EARTH MET & RADIOACT COMPD 6,846,871 \n52--COTTON, INCLUDING YARN AND WOVEN FABRIC THEREOF 6,371,180 \n94--FURNITURE; BEDDING ETC; LAMPS NESOI ETC; PREFAB BD 6,255,272 \n76--ALUMINUM AND ARTICLES THEREOF 5,977,893 \n44--WOOD AND ARTICLES OF WOOD; WOOD CHARCOAL 5,867,086 \n33--ESSENTIAL OILS ETC; PERFUMERY, COSMETIC ETC PREPS 5,516,433 \n08--EDIBLE FRUIT & NUTS; CITRUS FRUIT OR MELON PEEL 5,368,753 \n02--MEAT AND EDIBLE MEAT OFFAL 4,771,190 \n32--TANNING & DYE EXT ETC; DYE, PAINT, PUTTY ETC; INKS 4,756,548 \n49--PRINTED BOOKS, NEWSPAPERS ETC; MANUSCRIPTS ETC 4,667,938 \n47--WOOD PULP ETC; RECOVD (WASTE & SCRAP) PPR & PPRBD 4,621,798 \n95--TOYS, GAMES & SPORT EQUIPMENT; PARTS & ACCESSORIES 4,225,899 \n70--GLASS AND GLASSWARE 3,879,154 \n97--WORKS OF ART, COLLECTORS' PIECES AND ANTIQUES 3,514,577 \n23--FOOD INDUSTRY RESIDUES & WASTE; PREP ANIMAL FEED 3,473,421 \n74--COPPER AND ARTICLES THEREOF 3,435,914 \n21--MISCELLANEOUS EDIBLE PREPARATIONS 3,428,131 \n03--FISH, CRUSTACEANS & AQUATIC INVERTEBRATES 3,307,478 \n83--MISCELLANEOUS ARTICLES OF BASE METAL 3,258,373 \n34--SOAP ETC; WAXES, POLISH ETC; CANDLES; DENTAL PREPS 3,231,441 \n82--TOOLS, CUTLERY ETC. OF BASE METAL & PARTS THEREOF 3,201,629 \n37--PHOTOGRAPHIC OR CINEMATOGRAPHIC GOODS 2,889,897 \n31--FERTILIZERS 2,846,078 \n41--RAW HIDES AND SKINS (NO FURSKINS) AND LEATHER 2,785,891 \n61--APPAREL ARTICLES AND ACCESSORIES, KNIT OR CROCHET 2,698,879 \n24--TOBACCO AND MANUFACTURED TOBACCO SUBSTITUTES 2,654,865 \n93--ARMS AND AMMUNITION; PARTS AND ACCESSORIES THEREOF 2,309,864 \n22--BEVERAGES, SPIRITS AND VINEGAR 2,258,501 \n20--PREP VEGETABLES, FRUIT, NUTS OR OTHER PLANT PARTS 2,202,464 \n07--EDIBLE VEGETABLES & CERTAIN ROOTS & TUBERS 2,151,307 \n15--ANIMAL OR VEGETABLE FATS, OILS ETC. & WAXES 2,023,416 \n62--APPAREL ARTICLES AND ACCESSORIES, NOT KNIT ETC. 1,877,031 \n54--MANMADE FILAMENTS, INCLUDING YARNS & WOVEN FABRICS 1,866,493 \n26--ORES, SLAG AND ASH 1,790,251 \n89--SHIPS, BOATS AND FLOATING STRUCTURES 1,784,073 \n86--RAILWAY OR TRAMWAY STOCK ETC; TRAFFIC SIGNAL EQUIP 1,762,987 \n19--PREP CEREAL, FLOUR, STARCH OR MILK; BAKERS WARES 1,758,481 \n55--MANMADE STAPLE FIBERS, INCL YARNS & WOVEN FABRICS 1,719,271 \n25--SALT; SULFUR; EARTH & STONE; LIME & CEMENT PLASTER 1,677,795 \n68--ART OF STONE, PLASTER, CEMENT, ASBESTOS, MICA ETC. 1,659,470 \n60--KNITTED OR CROCHETED FABRICS 1,658,579 \n35--ALBUMINOIDAL SUBST; MODIFIED STARCH; GLUE; ENZYMES 1,653,820 \n59--IMPREGNATED ETC TEXT FABRICS; TEX ART FOR INDUSTRY 1,462,902 \n56--WADDING, FELT ETC; SP YARN; TWINE, ROPES ETC. 1,430,737 \n81--BASE METALS NESOI; CERMETS; ARTICLES THEREOF 1,325,320 \n04--DAIRY PRODS; BIRDS EGGS; HONEY; ED ANIMAL PR NESOI 1,181,479 \n96--MISCELLANEOUS MANUFACTURED ARTICLES 1,179,260 \n63--TEXTI
Business & Finance
178,687
0Society & Culture
Why jews don't believe Jesus is the son of God?
Please look at \nhttp://WhatJewsBelieve.org \nfor a better understanding of why we dont believe in Jesus at all!\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The Christian idea of the messiah is that he is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and cry mightily unto Gd; yea, let \nthem turn every one from his evil way, and \nfrom the violence that is in their hands. Who \ncan
1,086
Why jews don't believe Jesus is the son of God?Please look at \nhttp://WhatJewsBelieve.org \nfor a better understanding of why we dont believe in Jesus at all!\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The Christian idea of the messiah is that he is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and cry mightily unto Gd; yea, let \nthem turn every one from his evil way, and \nfrom the violence that is in their hands. Who \ncan
Society & Culture
179,063
2Health
Hormone Levels in obese male?
I am an 42 y/o obese male, I am 5'9" weigh 250 lbs and my normal\nweight should be around 175-180. I had my hormone levels checked\nwhich indicated that my fee testosterone is low normal (47.5 pg/ml;\nref range 35-155), my serum testosterone is low (155L ng/dl; ref range\n241-827) DHEA-S is low @ 92 ug/dL (range 95-530) and my estrone is\nhigh @ 84 pg/ml (ref range 12-72). My dr wants me to get a\ntesticular sonogram and blood tests for testicular cancer..I am
Testicular Cancer\n\n==============\n\n\n\nYour doctor is wise to consider testicular cancer. Although most\n\ncases present between the ages of 15-35, this type of cancer can occur\n\nat any age. It's a relatively rare tumor (about 2-3 new cases per\n\n100,000 males per year in the US) [Smith's Urology]. Testicular\n\ncancer has a very high cure rate - even higher when diagnosed early. \n\nThe testicular ultrasound (aka sonogram), as stated below in\n\nCampbell's, is 95% sensitive and specific for testicular cancer and\n\ndoes not involve exposing you to ionizing radiation (like an X-ray). \n\nBasically it's a noninvasive low-risk test to detect a potential\n\ncancer that, if found, is highly curable - high yield, low risk.\n\n\n\nOne of the standard Urology texts (Campbell's) outlines the diagnostic\n\npathway for testicular cancer:\n\n\n\n"Unfortunately, delays in the timely and accurate diagnosis of\n\ntesticular cancer continue to be a significant problem. [123] Moul\n\n(1994) noted a mean duration of symptoms of 26 weeks before diagnosis\n\nin a review of 4948 testicular cancer patients. Both patient and\n\nphysician factors contribute to this delay in diagnosis. Painless\n\nscrotal masses are often ignored, whereas testicular cancers\n\npresenting with scrotal pain are treated as epididymitis up to 18% to\n\n30% of the time ([19] Bosl et al, 1981; [144] Prout et al, 1984).\n\nAlmost 20% of patients present with signs or symptoms of metastatic\n\ndisease such as back or abdominal pain, weight loss, neck mass,\n\ngynecomastia, or breast tenderness ([19] Bosl et al, 1981; Thornhill\n\net al, 1987; [15] Bosl et al, 2000). Patients have undergone\n\nunnecessary mastectomy or laparotomy or prolonged therapy for back\n\npain without a diagnosis of testicular cancer being considered ([143]\n\nPost and Belis, 1980; [125] Moul and Moellman, 1992; [124] 2000).\n\n\n\nA careful history and physical examination, as well as serum β–human\n\nchorionic gonadotropin (HCG), α-fetoprotein (AFP), and lactate\n\ndehydrogenase (LDH) testing, are helpful in establishing a correct\n\ndiagnosis. Scrotal sonography is extremely accurate in identifying\n\nsolid intratesticular lesions with greater than 95% sensitivity and\n\nspecificity.\n\n\n\nWalsh: Campbell's Urology, 8th ed., 2002. Elsevier. Pp. 2920-2921.\n\n\n\n\n\nAs mentioned above, one usually also looks at the serum HCG, AFP, and\n\nLDH as tumor markers. I would trust an endocrinologist to pick the\n\nright tests and interpret them correctly. They have special training\n\nin the physiology hormone levels and may be better than the GU surgeon\n\nat pin pointing the cause of these abnormalities, particularly if they\n\nare due to something outside of the genitourinary system (for example\n\nin the pituitary or other organ). There isn't really a reason to see\n\na urologic oncologist (or genitourinary (GU) surgeon) until you have\n\nthe results of the ultrasound, since the GU surgeon is unlikely to\n\noperate without a diagnosis or target for biopsy. If you do\n\nultimately go to a GU surgeon, it's very helpful to have an ultrasound\n\nin hand on the first visit. Otherwise, they will likely see you,\n\norder an ultrasound, then have to see you again when the results are\n\nback. The endocrinologist is essentially saving you a wasted visit to\n\nthe GU doc before you have the right tests complete.\n\n\n\n\n\n\n\nThere are multiple types of testicular cancer, the most common being\n\nseminona (35%). More than 50% of spermatocytic seminoma cases are\n\nfound in men over 50. You can get details on the other types at these\n\neMedicine sites:\n\n\n\nhttp://www.emedicinehealth.com/articles/20872-1.asp\n\nhttp://www.emedicine.com/med/topic2250.htm\n\nhttp://www.emedicine.com/radio/topic680.htm\n\n\n\n\n\nThere are multiple secondary effects that can hint at hormonal\n\nimbalance caused by testicular cancer or other etiologies. Here is a\n\nbri
1,300
Hormone Levels in obese male?I am an 42 y/o obese male, I am 5'9" weigh 250 lbs and my normal\nweight should be around 175-180. I had my hormone levels checked\nwhich indicated that my fee testosterone is low normal (47.5 pg/ml;\nref range 35-155), my serum testosterone is low (155L ng/dl; ref range\n241-827) DHEA-S is low @ 92 ug/dL (range 95-530) and my estrone is\nhigh @ 84 pg/ml (ref range 12-72). My dr wants me to get a\ntesticular sonogram and blood tests for testicular cancer..I amTesticular Cancer\n\n==============\n\n\n\nYour doctor is wise to consider testicular cancer. Although most\n\ncases present between the ages of 15-35, this type of cancer can occur\n\nat any age. It's a relatively rare tumor (about 2-3 new cases per\n\n100,000 males per year in the US) [Smith's Urology]. Testicular\n\ncancer has a very high cure rate - even higher when diagnosed early. \n\nThe testicular ultrasound (aka sonogram), as stated below in\n\nCampbell's, is 95% sensitive and specific for testicular cancer and\n\ndoes not involve exposing you to ionizing radiation (like an X-ray). \n\nBasically it's a noninvasive low-risk test to detect a potential\n\ncancer that, if found, is highly curable - high yield, low risk.\n\n\n\nOne of the standard Urology texts (Campbell's) outlines the diagnostic\n\npathway for testicular cancer:\n\n\n\n"Unfortunately, delays in the timely and accurate diagnosis of\n\ntesticular cancer continue to be a significant problem. [123] Moul\n\n(1994) noted a mean duration of symptoms of 26 weeks before diagnosis\n\nin a review of 4948 testicular cancer patients. Both patient and\n\nphysician factors contribute to this delay in diagnosis. Painless\n\nscrotal masses are often ignored, whereas testicular cancers\n\npresenting with scrotal pain are treated as epididymitis up to 18% to\n\n30% of the time ([19] Bosl et al, 1981; [144] Prout et al, 1984).\n\nAlmost 20% of patients present with signs or symptoms of metastatic\n\ndisease such as back or abdominal pain, weight loss, neck mass,\n\ngynecomastia, or breast tenderness ([19] Bosl et al, 1981; Thornhill\n\net al, 1987; [15] Bosl et al, 2000). Patients have undergone\n\nunnecessary mastectomy or laparotomy or prolonged therapy for back\n\npain without a diagnosis of testicular cancer being considered ([143]\n\nPost and Belis, 1980; [125] Moul and Moellman, 1992; [124] 2000).\n\n\n\nA careful history and physical examination, as well as serum β–human\n\nchorionic gonadotropin (HCG), α-fetoprotein (AFP), and lactate\n\ndehydrogenase (LDH) testing, are helpful in establishing a correct\n\ndiagnosis. Scrotal sonography is extremely accurate in identifying\n\nsolid intratesticular lesions with greater than 95% sensitivity and\n\nspecificity.\n\n\n\nWalsh: Campbell's Urology, 8th ed., 2002. Elsevier. Pp. 2920-2921.\n\n\n\n\n\nAs mentioned above, one usually also looks at the serum HCG, AFP, and\n\nLDH as tumor markers. I would trust an endocrinologist to pick the\n\nright tests and interpret them correctly. They have special training\n\nin the physiology hormone levels and may be better than the GU surgeon\n\nat pin pointing the cause of these abnormalities, particularly if they\n\nare due to something outside of the genitourinary system (for example\n\nin the pituitary or other organ). There isn't really a reason to see\n\na urologic oncologist (or genitourinary (GU) surgeon) until you have\n\nthe results of the ultrasound, since the GU surgeon is unlikely to\n\noperate without a diagnosis or target for biopsy. If you do\n\nultimately go to a GU surgeon, it's very helpful to have an ultrasound\n\nin hand on the first visit. Otherwise, they will likely see you,\n\norder an ultrasound, then have to see you again when the results are\n\nback. The endocrinologist is essentially saving you a wasted visit to\n\nthe GU doc before you have the right tests complete.\n\n\n\n\n\n\n\nThere are multiple types of testicular cancer, the most common being\n\nseminona (35%). More than 50% of spermatocytic seminoma cases are\n\nfound in men over 50. You can get details on the other types at these\n\neMedicine sites:\n\n\n\nhttp://www.emedicinehealth.com/articles/20872-1.asp\n\nhttp://www.emedicine.com/med/topic2250.htm\n\nhttp://www.emedicine.com/radio/topic680.htm\n\n\n\n\n\nThere are multiple secondary effects that can hint at hormonal\n\nimbalance caused by testicular cancer or other etiologies. Here is a\n\nbri
Health
179,195
7Entertainment & Music
im frm philippines.im a modern dancer.finding a job localand abroad?
New wave agency is casting for Female dancer /singers for The biggest Robbie Williams Tribute Show (including live band on stage show)touring in Marjoca for the Summer season of 2006.\n\nYou will need to have strong jazz technique and good pop vocals and fab looks.\n\nYou package will include flights from the UK, Accommodation in a self catering apartment, and approx 800 euro per month.\n\nPlease only apply if you have a demo or show reel to show us which include both dance and vocals.\n\nPlease apply now to take part or for more information.\n\nCreated: 30 Jan 2006\nApplications accepted until: 5 Mar 2006\n\n\nFrom: VIJIHARIDEV@GMAIL.COM \n\nDate: Wednesday, January 25, 2006 \n\nCategory: Artists \n\nRegion: Chennai \n\nDescription: WANTED DANCERS FOR MUJJARA IN ARABIAN COUNTRIES GOOD SALARY PLEASE CONTACT ME ON MY MOBIL 9444879879 / 9841063914\n\n\nContracted Asian Dancers Wanted.\nMale/Female Bollywood Style Dancers wanted to join a group to represent a new and developing Dance Company. Dancers will perform at private shows such as Weddings, family functions as well as big shows including Melas, festivals etc...\nPrevious Bollywood Dance experience is vital as well as commitment and a professional approach.\n3,6 or 12 month contracts on offer for the right people.\nContract will start from May 2005.\n\nAsian dancers only (all dancers will be auditioned before being considered for a contract)\nDancers should ideally be from around London/Greater London and have easy access to transport. \n\nAlso freelance opportunities with the company also available.\n\nFor further information or enquiries please contact:\ninfo@dancingnikitacompany.co.uk\n\nOr call: 07904 075 144 (please note UK applicants only)\n\nThanks in advance,\n\nNIKITA\n------------------------------------------------------------\nDirector of Dancing Nikita Company.\n \n \n\n \n \n Re: Asian Dancers Wanted. author: KM date: 11.10.04 23:59 \n \n\nHi,\n\nIf you are seeking a trained dancer (bollywood, funk, hip hop) and a dance choreographer then check out this website: www.geocities.com/juliebir \n\nWWW.JULIEBIR.COM or WWW.GEOCITIES.COM/JULIEBIR\n\nThanks,\nKM\n \n \n\n \n \n Re: Asian Dancers Wanted. author: adrienn vass date: 17.11.04 13:32 \n \n\nHi Nikita,\nI am a trained contemporary dancer.\nI have learnt bharatnatyam in Bhavan Institute in London. I would like to continue my studies in this field.\nI hope you can help me with this.\nthank you \nAdrienn\n \n \n\n \n \n Re: Asian Dancers Wanted. author: sendrayan.n date: 14.12.04 14:16 \n \n\nResume\n--------------------------------\n\nE-MAIL:SUDHARSHAN_SEND@YAHOO.CO.IN\n\nN.SENDRAYAN\n\n\n\nNAME : SENDRAYAN.N\n\n\nFATHER’S NAME : NALLASAMY.N\n\n\nDATE OF BIRTH : 30/05/84\n\n\nAGE : 21YRS\n\n\nSEX : MALE\n\n\nNATIONALITY : INDIA\n\n\nDANCE : DISCO,CLASSICAL \nBHARATHA NATTIAM, \nDANCE,KATHA KALI. \nI AM WINNING IN BHARATHA NATTIAM IN DISTRICT LEVEL\n\n\nNATIVE PLACE :THENI(DT),TAMIL NADU\n\n\nMARITAL STATUS : SINGLE\n\n\nSTAGE EXPERIENCE : 8YRS\n\n\nADDRESS :N.SENDRAYAN.N, \nS/O NALLASAMY\n10.6.8,\nTHALAI SHURULI (st) , PALANI CHETTI PATTI\nTHENI(DT) TAMIL NADU,INDIA\n\n\nACADAMIC PROFILE :\n………………………………………\n\nQUALIFICATION\n\nCOMPUTER SOFTWARE &HARDWARE IN ITI\n\n\nDECLARATION\n………………………….\nSIR I HERE BY SECLARE THAT THE DETAILS GIVEN ABOVE ARE TRUE TO DO THE BEST OF MY KIND OF BELIEF ANDKEEP TRYING. AND I AM INTRUSTING IN DANCE THAN MY STUDY\nYOURS FAITH FULLY\n\nDATE: 14/12/2004 THANK YOU \nSENDRAYAN.N\n \n \n\n \n \n Re: Asian Dancers Wanted. author: navya menon ( nav) date: 04.01.05 12:29 \n \n\nhi nikita!\nwell i am intrested 2 do, but i hav 2 ask my parents permition!. i am 14 yrs old , fat and i love dancing n i am so mad about it! i think dat the person whom ur wanting dat can b me , cause i think dat i have d talent, and i like being challenged, and i don't need any practice dats what makes me confident n special n i think dat dancing is my gi
1,353
im frm philippines.im a modern dancer.finding a job localand abroad?New wave agency is casting for Female dancer /singers for The biggest Robbie Williams Tribute Show (including live band on stage show)touring in Marjoca for the Summer season of 2006.\n\nYou will need to have strong jazz technique and good pop vocals and fab looks.\n\nYou package will include flights from the UK, Accommodation in a self catering apartment, and approx 800 euro per month.\n\nPlease only apply if you have a demo or show reel to show us which include both dance and vocals.\n\nPlease apply now to take part or for more information.\n\nCreated: 30 Jan 2006\nApplications accepted until: 5 Mar 2006\n\n\nFrom: VIJIHARIDEV@GMAIL.COM \n\nDate: Wednesday, January 25, 2006 \n\nCategory: Artists \n\nRegion: Chennai \n\nDescription: WANTED DANCERS FOR MUJJARA IN ARABIAN COUNTRIES GOOD SALARY PLEASE CONTACT ME ON MY MOBIL 9444879879 / 9841063914\n\n\nContracted Asian Dancers Wanted.\nMale/Female Bollywood Style Dancers wanted to join a group to represent a new and developing Dance Company. Dancers will perform at private shows such as Weddings, family functions as well as big shows including Melas, festivals etc...\nPrevious Bollywood Dance experience is vital as well as commitment and a professional approach.\n3,6 or 12 month contracts on offer for the right people.\nContract will start from May 2005.\n\nAsian dancers only (all dancers will be auditioned before being considered for a contract)\nDancers should ideally be from around London/Greater London and have easy access to transport. \n\nAlso freelance opportunities with the company also available.\n\nFor further information or enquiries please contact:\ninfo@dancingnikitacompany.co.uk\n\nOr call: 07904 075 144 (please note UK applicants only)\n\nThanks in advance,\n\nNIKITA\n------------------------------------------------------------\nDirector of Dancing Nikita Company.\n \n \n\n \n \n Re: Asian Dancers Wanted. author: KM date: 11.10.04 23:59 \n \n\nHi,\n\nIf you are seeking a trained dancer (bollywood, funk, hip hop) and a dance choreographer then check out this website: www.geocities.com/juliebir \n\nWWW.JULIEBIR.COM or WWW.GEOCITIES.COM/JULIEBIR\n\nThanks,\nKM\n \n \n\n \n \n Re: Asian Dancers Wanted. author: adrienn vass date: 17.11.04 13:32 \n \n\nHi Nikita,\nI am a trained contemporary dancer.\nI have learnt bharatnatyam in Bhavan Institute in London. I would like to continue my studies in this field.\nI hope you can help me with this.\nthank you \nAdrienn\n \n \n\n \n \n Re: Asian Dancers Wanted. author: sendrayan.n date: 14.12.04 14:16 \n \n\nResume\n--------------------------------\n\nE-MAIL:SUDHARSHAN_SEND@YAHOO.CO.IN\n\nN.SENDRAYAN\n\n\n\nNAME : SENDRAYAN.N\n\n\nFATHER’S NAME : NALLASAMY.N\n\n\nDATE OF BIRTH : 30/05/84\n\n\nAGE : 21YRS\n\n\nSEX : MALE\n\n\nNATIONALITY : INDIA\n\n\nDANCE : DISCO,CLASSICAL \nBHARATHA NATTIAM, \nDANCE,KATHA KALI. \nI AM WINNING IN BHARATHA NATTIAM IN DISTRICT LEVEL\n\n\nNATIVE PLACE :THENI(DT),TAMIL NADU\n\n\nMARITAL STATUS : SINGLE\n\n\nSTAGE EXPERIENCE : 8YRS\n\n\nADDRESS :N.SENDRAYAN.N, \nS/O NALLASAMY\n10.6.8,\nTHALAI SHURULI (st) , PALANI CHETTI PATTI\nTHENI(DT) TAMIL NADU,INDIA\n\n\nACADAMIC PROFILE :\n………………………………………\n\nQUALIFICATION\n\nCOMPUTER SOFTWARE &HARDWARE IN ITI\n\n\nDECLARATION\n………………………….\nSIR I HERE BY SECLARE THAT THE DETAILS GIVEN ABOVE ARE TRUE TO DO THE BEST OF MY KIND OF BELIEF ANDKEEP TRYING. AND I AM INTRUSTING IN DANCE THAN MY STUDY\nYOURS FAITH FULLY\n\nDATE: 14/12/2004 THANK YOU \nSENDRAYAN.N\n \n \n\n \n \n Re: Asian Dancers Wanted. author: navya menon ( nav) date: 04.01.05 12:29 \n \n\nhi nikita!\nwell i am intrested 2 do, but i hav 2 ask my parents permition!. i am 14 yrs old , fat and i love dancing n i am so mad about it! i think dat the person whom ur wanting dat can b me , cause i think dat i have d talent, and i like being challenged, and i don't need any practice dats what makes me confident n special n i think dat dancing is my gi
Entertainment & Music
179,816
0Society & Culture
Why Jesus is so hard to accept by you?
this question is only for you that doesnt belive in Jesus
I cant accept Jesus because the basic beliefs of Christianity about Jesus are against what the Bible says, and so Real Jews cannot believe in Jesus at all.\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The messiah is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and cry mightily unto Gd; yea, let \nthem turn every one from his evil way, and \nfrom the violence that is in their hands. Wh
1,083
Why Jesus is so hard to accept by you?this question is only for you that doesnt belive in JesusI cant accept Jesus because the basic beliefs of Christianity about Jesus are against what the Bible says, and so Real Jews cannot believe in Jesus at all.\n\nThe Christian understanding is that the Messiah, Jesus, died for the sins of the people. The messiah is supposed to be a human sacrifice that is the blood sacrifice necessary for the forgiveness of sin.\n\nBut we are taught in our Torah that no one can die for the sins of another. In Deuteronomy 24:16 it specifically says this:\n\nDeuteronomy 24:16 The fathers shall not \nbe put to death for the children, neither \nshall the children be put to death for\nthe fathers: \nevery man shall be put to death for his \nown sin (eesh b’chet-o yumatu).\n\nIn Exodus 32:30-35, Moses tries to offer himself to atone for the sins of the people. To be written out of Gd's book, means to be written out of the Book of Life, which means Moses was asking to die for the sins of the People. Gd's response is No, it does not work that way, each man dies for his own sin:\n\nExodus 32:30-35 And it came to pass on the \nmorrow, that Moses said unto the people, \nYe have sinned a great sin: and now I will \ngo up unto the Etrnl; perhaps I shall make \nan atonement for your sin. And Moses \nreturned unto the Etrnl, and said, Oh, \nthis people have sinned a great sin, and \nhave made them gods of gold. Yet now, if \nthou wilt forgive their sin--; and if not, \nblot me, I pray thee, out of thy book \nwhich thou hast written. And the Etrnl \nsaid unto Moses, Whosoever hath sinned \nagainst me, him will I blot out of my \nbook. \n\nThe whole of chapter 18 of the book of Ezekiel is about this idea, that no one can die for someone else's sin. Further, this chapter of Ezekiel teaches us that all we have to do for Gd's forgiveness is to stop doing the Bad and start doing the Good, and Gd will forgive us.\n\nSo, the Bible is clear, no one can die for the sins of another, and this means that Jesus cannot die for anyone else's sins.\n\nChristians also believe that one needs a blood sacrifice for the forgiveness of sin, that one who does not have such a blood sacrifice will die in their sins, and go to hell, except for the sacrifice of Jesus.\n\nThis, too, is UnBiblical. The Bible describes blood sacrifices for the forgiveness of sin in the Book of Leviticus. But it is in Leviticus itself, in the middle of the discussion of the sin sacrifices, that we are taught that we do not need a blood sacrifice to be forgiven for our sins. Offering a blood sacrifice was an expensive thing to do for the family offering the animal. Was forgiveness then, to be only for the rich? No, because if one could not afford a blood sacrifice then one who sins could bring flour, which has no blood and no life as their sacrifice, and Gd forgave them!\n\nLeviticus 5:11-13; But if he be not able to \nbring two turtledoves, or two young pigeons, \nthen he that sinned shall bring for his \noffering the tenth part of an ephah of fine \nflour for a sin offering; he shall put no oil \nupon it, neither shall he put any \nfrankincense thereon: for it is a sin \noffering.\n\nFurthermore, read the Book of Jonah. In Jonah, the People of Ninevah do three things in order to be forgiven by Gd. They fast, they pray for forgiveness, and they stop doing the Bad and start doing the Good, and Gd forgave them! This is exactly what we do on Yom Kippur, we fast, we pray for forgiveness, and, hopefully, we stop doing the Bad and start doing the Good, and Gd forgives us. And what book do we read on Yom Kippur afternoon? The Book of Jonah!\n\nJonah 3:7-10 And he caused it to be proclaimed \nand published through Ninevah, by the decree \nof the King and his nobles, saying, Let \nneither man nor beast, herd nor flock taste \nanything; let them not feed nor drink water; \nbut let man and beast be covered with \nsackcloth, and cry mightily unto Gd; yea, let \nthem turn every one from his evil way, and \nfrom the violence that is in their hands. Wh
Society & Culture
180,238
4Computers & Internet
I have epson stylus cx4600 printer.Just re-filled cartridges, but printer shows message "no ink". Any idea?
I have new epson stylus cx3600 printer. Just re-filled cartridges. However, when trying to start printer, I am getting "no ink" message. Certainly there is ink in the cartriges. Seems like the printer is coded against cartridge re-fill. How to reset the cartridge number stored in the printer memory?
I have a couple of new epson printers. \nThe new cx printers are extremely hard to fill. How did you fill them in the first place?\n If you drill or melt a hole in the top, in the EXACT \ncorrect position, and slowly fill them, letting the air\nand ink bubbles exhaust, then, they are "full".\nI weigh the cartridges when new, and when empty, and\nwhen re-filled, so that I know if indeed, they are\nre-filled. You can now buy gram or ounce weight digital scales\neverywhere, including kitchen stores, and retail outlets,\nand they are 20 bucks or so, and very accurate.\n Check the carts to see if on the front, bottom or back\nedge there is a tiny green circuitboard attached to\nink cart with two melted dots of case plastic posts.\n If so, then you have otherwise, a piece of plastic,\ncontaning 35 cents worth of ink, with a self-destruct\nprogrammable chip on it. Every time you use ink, the\nchip is programmed by 7 gold contact points, and the\nprinter "guesses" how much ink you have, and subtracts it.\nAt about 25 per cent to 33 percent full, the chip is\ntold that you are out of ink. This rather full piece\nof plastic, is then DEAD, and cannot be used again.\nI have used a new, FULL cart, and simply run the CLEAN HEAD\nEpson utility a few times, and been told that the carts are now\n50 percent Full ( HALF EMPTY !!! -- and I hadn't printed\nanything yet!!! )\nThe extra caution in telling a cart with ink in, that it\nis empty, is done to prevent the cart from ever really\nemptying, which would suck air into the carriage fill\npost nozzel, and into an inch or two of piping inside\nthe print carriage / head assembly, and in 20 minutes the\nink inside these tubes would dry, and almost permanently\ndestroy the tiny print holes ability to re-wet with any\nnew ink. \n If you take out a cart, you must either put in a new one\nimmediately, or re-fill immediately. I have seen many \nEpsons in the garbage - all with badly dried print head /\ncarriage assemblies - if you have a SCANNER/ PRINTER, \nsuch as my CX printers, the second the print head is\n"told" by estimation software, that it is "empty" the \nentire machine, including the scanner is DEAD, since,\nwhen you turn it on, you cannot get past the ERROR\nink out message !!!!. \n The Espon printers with the "new and improved" print ink\nheads and ink carts, are EXTREMELY fragile, and will\nself-destruct at the tiniest problem. If the power goes\noff, and the head is not parked, it dries out. If you\ntake out a cart and go to the store with the cart to \nmake certain you have the correct one, the print head\ndries out. You cannot take out the print head to soak\nit in water without completely tearing the printer apart,\nand removing the delicate microfilm plastic position\nstrip, and the drive belt, and many fragile parts...\n If you do manage to get the print head out, the print head\nis extremely delicate, and ordinary tap water will\ncontaminate the print head holes, and actually\nclog the head worse than the dried ink. Using paper \nproducts with sharp cellulose fibers clogs the heads,\nif you wipe the heads.. ( one webiste uses strips of\ncoffee filters and distilled water, with some success ).\n The green, self destructing programmable chips on the\nempty pieces of plastic cases, ARE RE-PROGRAMMABLE, and\nprogrammers are available at most decent computer retailers,\nsuch as COMP USA, FRYs, Staples, Business Depot, etc.,\nsince these reputable companies know that the customers\nare being ripped off with being forced to purchase 50\ncent ink carts, that are not even empty, for 40 times the\ncost of manufacture! You MUST make certain that the programmer\nyou purchase LISTS the printer model, or the cart model,\nsince there are dozens of programmers, and Epson keeps\nchanging the programming on new models, so that customers\nare forced to buy only over-priced Epson" carts!\n I am surprised that you state you FILLED an Epson ca
1,116
I have epson stylus cx4600 printer.Just re-filled cartridges, but printer shows message "no ink". Any idea?I have new epson stylus cx3600 printer. Just re-filled cartridges. However, when trying to start printer, I am getting "no ink" message. Certainly there is ink in the cartriges. Seems like the printer is coded against cartridge re-fill. How to reset the cartridge number stored in the printer memory?I have a couple of new epson printers. \nThe new cx printers are extremely hard to fill. How did you fill them in the first place?\n If you drill or melt a hole in the top, in the EXACT \ncorrect position, and slowly fill them, letting the air\nand ink bubbles exhaust, then, they are "full".\nI weigh the cartridges when new, and when empty, and\nwhen re-filled, so that I know if indeed, they are\nre-filled. You can now buy gram or ounce weight digital scales\neverywhere, including kitchen stores, and retail outlets,\nand they are 20 bucks or so, and very accurate.\n Check the carts to see if on the front, bottom or back\nedge there is a tiny green circuitboard attached to\nink cart with two melted dots of case plastic posts.\n If so, then you have otherwise, a piece of plastic,\ncontaning 35 cents worth of ink, with a self-destruct\nprogrammable chip on it. Every time you use ink, the\nchip is programmed by 7 gold contact points, and the\nprinter "guesses" how much ink you have, and subtracts it.\nAt about 25 per cent to 33 percent full, the chip is\ntold that you are out of ink. This rather full piece\nof plastic, is then DEAD, and cannot be used again.\nI have used a new, FULL cart, and simply run the CLEAN HEAD\nEpson utility a few times, and been told that the carts are now\n50 percent Full ( HALF EMPTY !!! -- and I hadn't printed\nanything yet!!! )\nThe extra caution in telling a cart with ink in, that it\nis empty, is done to prevent the cart from ever really\nemptying, which would suck air into the carriage fill\npost nozzel, and into an inch or two of piping inside\nthe print carriage / head assembly, and in 20 minutes the\nink inside these tubes would dry, and almost permanently\ndestroy the tiny print holes ability to re-wet with any\nnew ink. \n If you take out a cart, you must either put in a new one\nimmediately, or re-fill immediately. I have seen many \nEpsons in the garbage - all with badly dried print head /\ncarriage assemblies - if you have a SCANNER/ PRINTER, \nsuch as my CX printers, the second the print head is\n"told" by estimation software, that it is "empty" the \nentire machine, including the scanner is DEAD, since,\nwhen you turn it on, you cannot get past the ERROR\nink out message !!!!. \n The Espon printers with the "new and improved" print ink\nheads and ink carts, are EXTREMELY fragile, and will\nself-destruct at the tiniest problem. If the power goes\noff, and the head is not parked, it dries out. If you\ntake out a cart and go to the store with the cart to \nmake certain you have the correct one, the print head\ndries out. You cannot take out the print head to soak\nit in water without completely tearing the printer apart,\nand removing the delicate microfilm plastic position\nstrip, and the drive belt, and many fragile parts...\n If you do manage to get the print head out, the print head\nis extremely delicate, and ordinary tap water will\ncontaminate the print head holes, and actually\nclog the head worse than the dried ink. Using paper \nproducts with sharp cellulose fibers clogs the heads,\nif you wipe the heads.. ( one webiste uses strips of\ncoffee filters and distilled water, with some success ).\n The green, self destructing programmable chips on the\nempty pieces of plastic cases, ARE RE-PROGRAMMABLE, and\nprogrammers are available at most decent computer retailers,\nsuch as COMP USA, FRYs, Staples, Business Depot, etc.,\nsince these reputable companies know that the customers\nare being ripped off with being forced to purchase 50\ncent ink carts, that are not even empty, for 40 times the\ncost of manufacture! You MUST make certain that the programmer\nyou purchase LISTS the printer model, or the cart model,\nsince there are dozens of programmers, and Epson keeps\nchanging the programming on new models, so that customers\nare forced to buy only over-priced Epson" carts!\n I am surprised that you state you FILLED an Epson ca
Computers & Internet
181,744
5Sports
who has won the most world series tiltles besides the yanks?
•1. New York Yankees, 26: 1923, 1927, 1928, 1932, 1936, 1937, 1938, 1939, 1941, 1943, 1947, 1949, 1950, 1951, 1952, 1953, 1956, 1958, 1961, 1962, 1977, 1978, 1996, 1998, 1999, 2000. \n•2. St. Louis Cardinals, 9: 1926, 1931, 1934, 1942, 1944, 1946, 1964, 1967, 1982. \n•3. Oakland Athletics, 9: 1910, 1911, 1913, 1929, 1931, 1972, 1973, 1974, 1989. The first five were won as the Philadelphia Athletics. The A's also won the 1902 AL pennant, but did not have the chance to play the NL Champion Pittsburgh Pirates for the World Championship. The A's lead all AL West teams. \n•4. Boston Red Sox, 6: 1903 (the first World Series), 1912, 1915, 1916, 1918, 2004. A 7th can be counted, since the Red Sox won the 1904 AL pennant, but the NL Champion New York Giants refused to play in a World Series, though MLB does not recognize this as a forfeit win by the Red Sox. \n•5. Los Angeles Dodgers, 6: 1955 (as Brooklyn Dodgers), 1959, 1963, 1965, 1981, 1988. The Dodgers also won NL pennants, and, theoretically, world championships in 1890, 1899 and 1900. The Dodgers lead all NL West teams. \n•6. Cincinnati Reds, 5: 1919, 1940, 1975, 1976, 1990. \n•7. Pittsburgh Pirates, 5: 1909, 1925, 1960, 1971, 1979. Also won NL pennants in 1901 and 1902, but did not play the AL champions for the World Championship. Closest call since: 3 NL Division Championships, 1990, 1991, 1992 (in East, now in Central). \n•8. San Francisco Giants, 5: 1905, 1921, 1922, 1933, 1954. (All as New York Giants. The Giants also won NL pennants, and, theoretically, world championships in 1888 and 1889. Have not won since moving to San Francisco for 1958 season. Closest call: 3 NL pennants, 1962, 1989, 2002.) \n•9. Detroit Tigers, 4: 1935, 1945, 1968, 1984. The Tigers lead all AL Central teams. \n•10. Chicago White Sox, 3: 1906, 1917, 2005. The White Sox also won the first AL pennant in 1901, but did not have the chance to play the NL Champion Pittsburgh Pirates for the World Championship. \n•11. Baltimore Orioles, 3: 1966, 1970, 1983. \n•12. Minnesota Twins, 3: 1924 (as Washington Senators), 1987, 1991. \n•13. Atlanta Braves, 3: 1914 (as Boston Braves), 1957 (as Milwaukee Braves), 1995. \n•14. Florida Marlins, 2: 1997, 2003. Despite having only been in the NL East since 1994, the Braves lead all teams in that Division. \n•15. Toronto Blue Jays, 2: 1992, 1993. The Jays are the only team from outside the United States to win a pennant, let alone a World Series. \n•16. New York Mets, 2: 1969, 1986. \n•17. Cleveland Indians, 2: 1920, 1948. Closest call since: 3 AL pennants, 1954, 1995, 1997. \n•18. Chicago Cubs, 2: 1907, 1908. Also, under their former name of Chicago White Stockings, won NL pennants and, theoretically, world championships in 1876, 1880, 1881, 1882, 1885 and 1886, though in 1885 and 1886 lost to the American Association team that became known as the St. Louis Cardinals. Drought since 1908 is longest in major league sports history. Closest call since: 7 NL pennants, 1910, 1918, 1929, 1932, 1935, 1938, 1945; 3 NL Division Titles, 1984, 1989 (in NL East), 2003 (in NL Central). \n•19. Anaheim Angels, 1: 2002. \n•20. Arizona Diamondbacks, 1: 2001. \n•21. Kansas City Royals, 1: 1985. \n•22. Philadelphia Phillies, 1: 1980. Won first World Series in 98th season of play, a record. Also was the last of the 16 franchises in existence when the World Series began in 1903 to have won one. \n•23. San Diego Padres, None: 2 NL pennants, 1984, 1998. \n•24. Houston Astros, None: 1 NL pennant, 2005. \n•25. Milwaukee Brewers, None: 1 AL pennant, 1982 (moved to NL 1998). \n•26. Texas Rangers, None: 3 AL West Championships, 1996, 1998, 1999. Also led Division when strike called off remainder of 1994 season, so are ranked ahead of Mariners here. \n•27. Seattle Mariners, None: 3 AL West Championships, 1995, 1997, 2001. \n•28. Colorado Rockies, None: 1 Playoff berth, 1995 NL Wild Card. \n•29. Washington Nationals, None: 1 Division Tit
1,116
who has won the most world series tiltles besides the yanks?•1. New York Yankees, 26: 1923, 1927, 1928, 1932, 1936, 1937, 1938, 1939, 1941, 1943, 1947, 1949, 1950, 1951, 1952, 1953, 1956, 1958, 1961, 1962, 1977, 1978, 1996, 1998, 1999, 2000. \n•2. St. Louis Cardinals, 9: 1926, 1931, 1934, 1942, 1944, 1946, 1964, 1967, 1982. \n•3. Oakland Athletics, 9: 1910, 1911, 1913, 1929, 1931, 1972, 1973, 1974, 1989. The first five were won as the Philadelphia Athletics. The A's also won the 1902 AL pennant, but did not have the chance to play the NL Champion Pittsburgh Pirates for the World Championship. The A's lead all AL West teams. \n•4. Boston Red Sox, 6: 1903 (the first World Series), 1912, 1915, 1916, 1918, 2004. A 7th can be counted, since the Red Sox won the 1904 AL pennant, but the NL Champion New York Giants refused to play in a World Series, though MLB does not recognize this as a forfeit win by the Red Sox. \n•5. Los Angeles Dodgers, 6: 1955 (as Brooklyn Dodgers), 1959, 1963, 1965, 1981, 1988. The Dodgers also won NL pennants, and, theoretically, world championships in 1890, 1899 and 1900. The Dodgers lead all NL West teams. \n•6. Cincinnati Reds, 5: 1919, 1940, 1975, 1976, 1990. \n•7. Pittsburgh Pirates, 5: 1909, 1925, 1960, 1971, 1979. Also won NL pennants in 1901 and 1902, but did not play the AL champions for the World Championship. Closest call since: 3 NL Division Championships, 1990, 1991, 1992 (in East, now in Central). \n•8. San Francisco Giants, 5: 1905, 1921, 1922, 1933, 1954. (All as New York Giants. The Giants also won NL pennants, and, theoretically, world championships in 1888 and 1889. Have not won since moving to San Francisco for 1958 season. Closest call: 3 NL pennants, 1962, 1989, 2002.) \n•9. Detroit Tigers, 4: 1935, 1945, 1968, 1984. The Tigers lead all AL Central teams. \n•10. Chicago White Sox, 3: 1906, 1917, 2005. The White Sox also won the first AL pennant in 1901, but did not have the chance to play the NL Champion Pittsburgh Pirates for the World Championship. \n•11. Baltimore Orioles, 3: 1966, 1970, 1983. \n•12. Minnesota Twins, 3: 1924 (as Washington Senators), 1987, 1991. \n•13. Atlanta Braves, 3: 1914 (as Boston Braves), 1957 (as Milwaukee Braves), 1995. \n•14. Florida Marlins, 2: 1997, 2003. Despite having only been in the NL East since 1994, the Braves lead all teams in that Division. \n•15. Toronto Blue Jays, 2: 1992, 1993. The Jays are the only team from outside the United States to win a pennant, let alone a World Series. \n•16. New York Mets, 2: 1969, 1986. \n•17. Cleveland Indians, 2: 1920, 1948. Closest call since: 3 AL pennants, 1954, 1995, 1997. \n•18. Chicago Cubs, 2: 1907, 1908. Also, under their former name of Chicago White Stockings, won NL pennants and, theoretically, world championships in 1876, 1880, 1881, 1882, 1885 and 1886, though in 1885 and 1886 lost to the American Association team that became known as the St. Louis Cardinals. Drought since 1908 is longest in major league sports history. Closest call since: 7 NL pennants, 1910, 1918, 1929, 1932, 1935, 1938, 1945; 3 NL Division Titles, 1984, 1989 (in NL East), 2003 (in NL Central). \n•19. Anaheim Angels, 1: 2002. \n•20. Arizona Diamondbacks, 1: 2001. \n•21. Kansas City Royals, 1: 1985. \n•22. Philadelphia Phillies, 1: 1980. Won first World Series in 98th season of play, a record. Also was the last of the 16 franchises in existence when the World Series began in 1903 to have won one. \n•23. San Diego Padres, None: 2 NL pennants, 1984, 1998. \n•24. Houston Astros, None: 1 NL pennant, 2005. \n•25. Milwaukee Brewers, None: 1 AL pennant, 1982 (moved to NL 1998). \n•26. Texas Rangers, None: 3 AL West Championships, 1996, 1998, 1999. Also led Division when strike called off remainder of 1994 season, so are ranked ahead of Mariners here. \n•27. Seattle Mariners, None: 3 AL West Championships, 1995, 1997, 2001. \n•28. Colorado Rockies, None: 1 Playoff berth, 1995 NL Wild Card. \n•29. Washington Nationals, None: 1 Division Tit
Sports
181,978
5Sports
birthdate of south african famous cricketer Greame Smith?
birthdate of south african famous cricketer Greame Smith
1 feb,1981.\n\nextra info:-\nFull name Graeme Craig Smith\nBorn February 1, 1981, Johannesburg, Transvaal\nCurrent age 25 years 27 days\nMajor teams South Africa, Africa XI, Gauteng, Hampshire Cricket Board, ICC World XI, Somerset, Western Province\nBatting style Left-hand bat\nBowling style Right-arm offbreak\n\nStatsguru Test player, ODI player\n\n\n\n Batting and fielding averages \nclass mat inns no runs hs ave bf sr 100 50 4s 6s ct st \nTests 43 75 5 3608 277 51.54 6052 59.61 11 12 469 12 56 0 \nODIs 87 86 5 3264 134* 40.29 4192 77.86 6 18 373 12 36 0 \nTwenty20 Int. 3 3 1 172 89* 86.00 127 135.43 0 2 24 2 2 0 \nFirst-class 78 135 10 6437 311 51.49 19 21 110 0 \nList A 138 136 10 5403 134* 42.88 10 36 62 0 \nTwenty20 17 17 2 598 105 39.86 426 140.37 1 4 10 0 \n\n Bowling averages \nclass mat balls runs wkts bbi bbm ave econ sr 4 5 10 \nTests 43 1127 652 8 2/145 2/145 81.50 3.47 140.87 0 0 0 \nODIs 87 626 588 10 3/30 3/30 58.79 5.63 62.60 0 0 0 \nTwenty20 Int. 3 18 41 0 - - - 13.66 - 0 0 0 \nFirst-class 78 1495 899 11 2/145 81.72 3.60 135.90 0 0 \nList A 138 1550 1416 39 3/30 3/30 36.30 5.48 39.74 0 0 0 \nTwenty20 17 90 132 4 3/23 3/23 33.00 8.80 22.50 0 0 0 \n\n Career statistics \n \nStatsguru Tests filter | Statsguru One-Day Internationals filter \nTest debut South Africa v Australia at Cape Town - Mar 8-12, 2002 scorecard \nLast Test Australia v South Africa at Sydney - Jan 2-6, 2006 scorecard \nODI debut South Africa v Australia at Bloemfontein - Mar 30, 2002 scorecard \nLast ODI South Africa v Australia at Centurion - Feb 26, 2006 scorecard \nTwenty20 Int. debut South Africa v New Zealand at Johannesburg - Oct 21, 2005 scorecard \nLast Twenty20 Int. South Africa v Australia at Johannesburg - Feb 24, 2006 scorecard \nFirst-class span 1999/00 - 2005/06 \nList A span 1999/00 - 2005/06 \nTwenty20 span 2003/04 - 2005/06 \n\n Notes \nWisden Cricketer of the Year 2004\n\n Profile \n\nIn March 2003, at the age of 22, Graeme Smith became South Africa's youngest-ever captain, when he took over from Shaun Pollock following the disastrous World Cup campaign. A tall aggressive left-hand opener, Smith had few leadership credentials - and barely a handful of internationals under his belt - but for a nation eager for a fresh start after the disasters of the Hansie Cronje affair, Smith was clearly made of the right stuff. The selectors' faith was amply justified on South Africa's tour of England in 2003, when Smith scored back-to-back Test double-centuries - a national-record 277 at Edgbaston, and a match-winning 259 at Lord's - to put his side in firm command of the five-Test series. Smith had quickly settled in at the highest level, right from the moment he took Matthew Hayden's invective on the chin to score a battling half-century on his Test debut. Until his appointment, Smith's career had been hampered to a certain degree by South Africa's controversial quota system. His Test debut was delayed when Ashwell Prince was selected for the first Test against Australia in 2001-02, and he also missed out on original selection for the 2003 World Cup, although he later joined the squad when Jonty Rhodes cracked a finger. \n\nSmith woke up to the harsh life of international cricket with a jolt in 2004. Reality bit fiercest on the subcontinent, where a declining South African side lost Test series to India and Sri Lanka. There was also a run of 11 defeats in 12 one-day internationals, the start of an ultimately fruitless struggle with England, and personal humiliation after some wily mind games from Stephen Fleming in Auckland. Yet for the most part, Smi
1,231
birthdate of south african famous cricketer Greame Smith?birthdate of south african famous cricketer Greame Smith1 feb,1981.\n\nextra info:-\nFull name Graeme Craig Smith\nBorn February 1, 1981, Johannesburg, Transvaal\nCurrent age 25 years 27 days\nMajor teams South Africa, Africa XI, Gauteng, Hampshire Cricket Board, ICC World XI, Somerset, Western Province\nBatting style Left-hand bat\nBowling style Right-arm offbreak\n\nStatsguru Test player, ODI player\n\n\n\n Batting and fielding averages \nclass mat inns no runs hs ave bf sr 100 50 4s 6s ct st \nTests 43 75 5 3608 277 51.54 6052 59.61 11 12 469 12 56 0 \nODIs 87 86 5 3264 134* 40.29 4192 77.86 6 18 373 12 36 0 \nTwenty20 Int. 3 3 1 172 89* 86.00 127 135.43 0 2 24 2 2 0 \nFirst-class 78 135 10 6437 311 51.49 19 21 110 0 \nList A 138 136 10 5403 134* 42.88 10 36 62 0 \nTwenty20 17 17 2 598 105 39.86 426 140.37 1 4 10 0 \n\n Bowling averages \nclass mat balls runs wkts bbi bbm ave econ sr 4 5 10 \nTests 43 1127 652 8 2/145 2/145 81.50 3.47 140.87 0 0 0 \nODIs 87 626 588 10 3/30 3/30 58.79 5.63 62.60 0 0 0 \nTwenty20 Int. 3 18 41 0 - - - 13.66 - 0 0 0 \nFirst-class 78 1495 899 11 2/145 81.72 3.60 135.90 0 0 \nList A 138 1550 1416 39 3/30 3/30 36.30 5.48 39.74 0 0 0 \nTwenty20 17 90 132 4 3/23 3/23 33.00 8.80 22.50 0 0 0 \n\n Career statistics \n \nStatsguru Tests filter | Statsguru One-Day Internationals filter \nTest debut South Africa v Australia at Cape Town - Mar 8-12, 2002 scorecard \nLast Test Australia v South Africa at Sydney - Jan 2-6, 2006 scorecard \nODI debut South Africa v Australia at Bloemfontein - Mar 30, 2002 scorecard \nLast ODI South Africa v Australia at Centurion - Feb 26, 2006 scorecard \nTwenty20 Int. debut South Africa v New Zealand at Johannesburg - Oct 21, 2005 scorecard \nLast Twenty20 Int. South Africa v Australia at Johannesburg - Feb 24, 2006 scorecard \nFirst-class span 1999/00 - 2005/06 \nList A span 1999/00 - 2005/06 \nTwenty20 span 2003/04 - 2005/06 \n\n Notes \nWisden Cricketer of the Year 2004\n\n Profile \n\nIn March 2003, at the age of 22, Graeme Smith became South Africa's youngest-ever captain, when he took over from Shaun Pollock following the disastrous World Cup campaign. A tall aggressive left-hand opener, Smith had few leadership credentials - and barely a handful of internationals under his belt - but for a nation eager for a fresh start after the disasters of the Hansie Cronje affair, Smith was clearly made of the right stuff. The selectors' faith was amply justified on South Africa's tour of England in 2003, when Smith scored back-to-back Test double-centuries - a national-record 277 at Edgbaston, and a match-winning 259 at Lord's - to put his side in firm command of the five-Test series. Smith had quickly settled in at the highest level, right from the moment he took Matthew Hayden's invective on the chin to score a battling half-century on his Test debut. Until his appointment, Smith's career had been hampered to a certain degree by South Africa's controversial quota system. His Test debut was delayed when Ashwell Prince was selected for the first Test against Australia in 2001-02, and he also missed out on original selection for the 2003 World Cup, although he later joined the squad when Jonty Rhodes cracked a finger. \n\nSmith woke up to the harsh life of international cricket with a jolt in 2004. Reality bit fiercest on the subcontinent, where a declining South African side lost Test series to India and Sri Lanka. There was also a run of 11 defeats in 12 one-day internationals, the start of an ultimately fruitless struggle with England, and personal humiliation after some wily mind games from Stephen Fleming in Auckland. Yet for the most part, Smi
Sports
182,633
8Family & Relationships
Can I trust my girlfriend?
computer with a finetooth comb to figure out if there’s anything I\n\nshould be backing up. And I find a massive MS Messenger file that has\n\nalmost a year’s worth of conversation between my gf and Jeff.\n\nA couple of things pop out at me. 1) I am almost never mentioned. He\n\nnever asks about me. She never mentions me. A concert we went to\n\ntogether? She went to it. I got her violin lessons for her birthday?\n\nShe’s taking violin lessons, loves it – no mention who got her the\n\nlessons or the violin. She had dinner last night at a nice Italian\n\nplace. No mention of who she went with.\n\nOther things – she says ‘she thinks about him all the time, and misses\n\nhim. She’s depressed that she can’t see him. Hmmm.\nShe tells him that I found out about them meeting at her parent’s place.
She did something she knew was deceptive and against your will. She\n\nthen misled you and was deceptive about it once you caught on. She\n\nflat-out lied about her actions and tried to make out as if it were\n\nyou who was in the wrong and had a lack of understanding (a\n\ngenerational thing that you aren’t able to comprehend).\n\n\n\nShe says Jeff is “easy to talk to” and that he’s “a great listener” –\n\nmajor red flag\n\n\n\nYou made your value of honesty perfectly clear and yet she\n\nintentionally betrayed that in spite of your openness of how much it\n\nmeant to your relationship.\n\n\n\nI find your statement here perplexing:\n\n\n\n“I personally think it’s a bit weird for a guy to be calling a girl\n\nwho has a boyfriend every day, but I also don’t’ want to treat my gf\n\nlike a child.”\n\n\n\nI don’t. \n\n\n\nYour “girlfriend” is acting childish but you don’t want to treat her\n\nlike a child. She has given you every reason to question her integrity\n\nyet you insist on being more permissive. You wonder how a guy (which\n\nshe admittedly feels so comfortable being with and confiding in) would\n\ncall on a girl who has a “boyfriend”. Dude, in my opinion, HE is her\n\nboyfriend too. Is it really that unclear? My guess is that YOU are\n\nprobably NOT her “boyfriend” in HIS mind, but YOU are merely an\n\nobstacle (she never mentions you and he never asks about you) . It\n\nwould seem, on it’s face at least, that she may feel the same way (why\n\nwould she be honest about this too when she found it so easy to lie\n\nabout everything else). The fact remains that she encourage, or at\n\nleast welcomes, his advances which she KNOWS FOR A FACT are totally\n\nagainst your will and undisputedly outside the parameters of trust\n\nthat the two of you have agreed upon for your relationship (in view of\n\nher previous lies about Jeff).\n\n\n\n“she says ‘she thinks about him all the time, and misses him. She’s\n\ndepressed that she can’t see him.”\n\n\n\nI’m not trying to belittle you or suggestion that you are less than\n\nintelligent because I know how love clouds the mind. But, c’mon big\n\nfella; you need to wake up because as hard as this is to swallow, in\n\nmy opinion you’re being had.\n\n\n\n“She says that maybe I don’t trust her, and she can’t spend the rest\n\nof her life with someone who can’t trust her, and she knows I feel the\n\nsame way.”\n\n\n\nShe KNOWS you don’t trust her and she KNOWS you don’t want to be with\n\nsomeone you can’t trust. It kinda makes one wonder if she’s not trying\n\nto help you dump her by continuing to give you reason after reason to\n\nnot trust her, doesn’t it? See what I mean? I don’t think she “feels\n\nbad” because she doesn’t “want to make you upset”, she feels bad\n\nbecause she KNOWS it makes you upset and she KNOWS that isn’t right –\n\nbut she still does it, doesn’t she?\n\n\n\nI find it odd that you think it “might” be ok that she doesn’t tel you\n\nall these little details about her relationship with this guy but that\n\nshe obviously tells him all the little details of her relationship\n\nwith YOU (if you’re not aware, intimate talk is what “easy to talk to”\n\nand “a good listener” often represent). You’re not seeing the two of\n\nthem discuss YOU because he probably already knows more than he cares\n\nto know already.\n\n\n\n>>>Do I let her keep meeting him as long as she’s honest with me about\n\nmeeting him?\n\nYou may not have a choice anymore.\n\n\n\n>>>Should I be worried? \n\nYou bet.\n\n\n\n>>>Do I tell her that she can’t be his friend and my boyfriend at the same time? \n\nYes, you can, but you risk losing her if you do. \n\n\n\n\n\n>>>Can I honestly, in good faith, tell her who she can and can’t be friends with? \n\nYou know what – you can (sort of). In a mature relationship everyone\n\nknows what the rules are. You
1,408
Can I trust my girlfriend?computer with a finetooth comb to figure out if there’s anything I\n\nshould be backing up. And I find a massive MS Messenger file that has\n\nalmost a year’s worth of conversation between my gf and Jeff.\n\nA couple of things pop out at me. 1) I am almost never mentioned. He\n\nnever asks about me. She never mentions me. A concert we went to\n\ntogether? She went to it. I got her violin lessons for her birthday?\n\nShe’s taking violin lessons, loves it – no mention who got her the\n\nlessons or the violin. She had dinner last night at a nice Italian\n\nplace. No mention of who she went with.\n\nOther things – she says ‘she thinks about him all the time, and misses\n\nhim. She’s depressed that she can’t see him. Hmmm.\nShe tells him that I found out about them meeting at her parent’s place.She did something she knew was deceptive and against your will. She\n\nthen misled you and was deceptive about it once you caught on. She\n\nflat-out lied about her actions and tried to make out as if it were\n\nyou who was in the wrong and had a lack of understanding (a\n\ngenerational thing that you aren’t able to comprehend).\n\n\n\nShe says Jeff is “easy to talk to” and that he’s “a great listener” –\n\nmajor red flag\n\n\n\nYou made your value of honesty perfectly clear and yet she\n\nintentionally betrayed that in spite of your openness of how much it\n\nmeant to your relationship.\n\n\n\nI find your statement here perplexing:\n\n\n\n“I personally think it’s a bit weird for a guy to be calling a girl\n\nwho has a boyfriend every day, but I also don’t’ want to treat my gf\n\nlike a child.”\n\n\n\nI don’t. \n\n\n\nYour “girlfriend” is acting childish but you don’t want to treat her\n\nlike a child. She has given you every reason to question her integrity\n\nyet you insist on being more permissive. You wonder how a guy (which\n\nshe admittedly feels so comfortable being with and confiding in) would\n\ncall on a girl who has a “boyfriend”. Dude, in my opinion, HE is her\n\nboyfriend too. Is it really that unclear? My guess is that YOU are\n\nprobably NOT her “boyfriend” in HIS mind, but YOU are merely an\n\nobstacle (she never mentions you and he never asks about you) . It\n\nwould seem, on it’s face at least, that she may feel the same way (why\n\nwould she be honest about this too when she found it so easy to lie\n\nabout everything else). The fact remains that she encourage, or at\n\nleast welcomes, his advances which she KNOWS FOR A FACT are totally\n\nagainst your will and undisputedly outside the parameters of trust\n\nthat the two of you have agreed upon for your relationship (in view of\n\nher previous lies about Jeff).\n\n\n\n“she says ‘she thinks about him all the time, and misses him. She’s\n\ndepressed that she can’t see him.”\n\n\n\nI’m not trying to belittle you or suggestion that you are less than\n\nintelligent because I know how love clouds the mind. But, c’mon big\n\nfella; you need to wake up because as hard as this is to swallow, in\n\nmy opinion you’re being had.\n\n\n\n“She says that maybe I don’t trust her, and she can’t spend the rest\n\nof her life with someone who can’t trust her, and she knows I feel the\n\nsame way.”\n\n\n\nShe KNOWS you don’t trust her and she KNOWS you don’t want to be with\n\nsomeone you can’t trust. It kinda makes one wonder if she’s not trying\n\nto help you dump her by continuing to give you reason after reason to\n\nnot trust her, doesn’t it? See what I mean? I don’t think she “feels\n\nbad” because she doesn’t “want to make you upset”, she feels bad\n\nbecause she KNOWS it makes you upset and she KNOWS that isn’t right –\n\nbut she still does it, doesn’t she?\n\n\n\nI find it odd that you think it “might” be ok that she doesn’t tel you\n\nall these little details about her relationship with this guy but that\n\nshe obviously tells him all the little details of her relationship\n\nwith YOU (if you’re not aware, intimate talk is what “easy to talk to”\n\nand “a good listener” often represent). You’re not seeing the two of\n\nthem discuss YOU because he probably already knows more than he cares\n\nto know already.\n\n\n\n>>>Do I let her keep meeting him as long as she’s honest with me about\n\nmeeting him?\n\nYou may not have a choice anymore.\n\n\n\n>>>Should I be worried? \n\nYou bet.\n\n\n\n>>>Do I tell her that she can’t be his friend and my boyfriend at the same time? \n\nYes, you can, but you risk losing her if you do. \n\n\n\n\n\n>>>Can I honestly, in good faith, tell her who she can and can’t be friends with? \n\nYou know what – you can (sort of). In a mature relationship everyone\n\nknows what the rules are. You
Family & Relationships
182,730
1Science & Mathematics
Al(NO3)3 + NaS --> Al2S3 + NaNO3?
sulfur and oxygen react in a combination reaction to produce sulfur tioxide, an environmental pollutant: Na3PO4 (aq) + Ba(NO3)2 (aq) --> Ba3(PO402 + NaNO3 (aq0\nin a particular experiment, a solution containing 3.50g of Na3PO4 is mixed with a solution containing 6.40g Ba(NO3)2\n(a) given these starting quantities, what is the limiting reactant?\n(b)how many grams of Ba3(PO4)2 can be made?\n(c) if 3.50g Ba3(PO4)2 is actually made, what is the % yield.\nPlease show all work so that i can understand the steps. thanks ur. also i need it urgently
Okay to answer the stoichiometry problem first...You need to balance the equation first...If you don't know how to balance the equation email me and I will explain. But the balanced equation is:\n\n2Na3PO4 + 3Ba(NO3)2 ----> Ba3(PO4)2 + 6NaNO3\n\nHere is a basic "map" you need to follow:\n\nGrams of Substance A divided by molar mass of A ===> Moles of A times the coefficients of A and B from balanced equation to get moles of substance B===> Moles of substance B times molar mass of substance B ===> Grams of substance B\n\n\nTo start we need to calculate the molar mass of the two compounds we are mixing together\nNa3PO4 = 151.97g/mol\nBa(NO3)2 - 213.34g/mol\nThen we need to find the molar mass of the product, which is Ba3(PO4)2 - 577.97g/mol\nIf you don't know how to find the molar mass, email me. Otherwise, read a chemistry book. Anyway the steps are to convert grams to moles then multiply by the coefficients of our balanced equation and then multiply again by grams of \n Ba3(PO4)2...Seems complicated, but it's really not. \n\n1. To see if Na3PO4 is the limiting reactant we divide 3.50g by it's molar mass of 151.97g/mol to get moles of Na3PO4\n\n3.50/151.97 = 2.30*10^-2 mol. Take this and multiply by the coefficients of our reactant and product:\n\nTake the coefficient in front of Na3PO4 and place that in the denominator /2 \nTake the coefficient in front of our product Ba3(PO4)2 and put it in the numerator 1/\n\nNow take the calculated moles of \n2.30*10^-2 and multiply them by (1/2) <---- the coefficients of reactant and product\n\nThis gives you moles of Ba3(PO4)2\n(2.30*10^-2) * (1/2) = 1.15*10^-2 mol\nNow multiply this number by the mol weight of our product which is 577.97g/mol and that gives you grams of product produced.\n\n(1.15*10^-2) * 577.97 = 6.66g of Ba3(PO4)2\n\nWhew!\n\nNow on to the next one....I won't explain fully as it's exactly the same procedure.\n\n6.40g/213.34g/mol = 2.99*10^-2 mol of Ba(NO3)2 (reactant)\n\n(2.99*10^-2) * (1/3) = 9.99*10^-3 mol of Ba(PO4)2 (product) \nI used (1/3) because the number in front of the reactant is 3 (goes in the denominator) and the 1 is the coefficient in front of the product.\n\nNow (9.99*10^-3) * (577.97) = 5.78g of Ba3(PO4)2\n\nokay so upon inspection, the limiting reactant is Ba(NO3)2 and it yields 5.78 grams...\n\nYou ask if 3.50 grams are actually yielded, what is the %\n\nSo....(actual yield/theoretical yield)*100 = % \n\n(3.50/5.78)*100 = 60.55%\n\nAlrighty....Now onto problem #2\n\nBalance: Al(NO3)3 + Na2S ----> Al2S3 + NaNO3 \n\n(A) Al(NO3)3 + (B) Na2S ----> (C) Al2S3 + (D) NaNO3\n\nPut variables in front of each reactant and product like I did above. Now assign an element to equal the variable on both sides. In our case:\n\nAl - A = 2C\nNO3 - 3A = D\nNa - 2B = D\nS - B = 3C\n\nNow make one letter equal one. We'll make A = 1\nSo..\nA = 1\nB = 3/2 (by algebra)\nC = 1/2 (by algebra) (email me if you don't know)\nD = 3\n\nwe can't have fractions in there, so we multiply all of them by two to get the 2 in the denominators out, and we end up with\n\nA = 2\nB = 3\nC = 1\nD = 6 With a final equation balanced out to look like:\n\n2Al(NO3)3 + 3Na2S ---> Al2S3 + 6NaNO3\n\nHope all this was clear!!! Enjoy
1,335
Al(NO3)3 + NaS --> Al2S3 + NaNO3?sulfur and oxygen react in a combination reaction to produce sulfur tioxide, an environmental pollutant: Na3PO4 (aq) + Ba(NO3)2 (aq) --> Ba3(PO402 + NaNO3 (aq0\nin a particular experiment, a solution containing 3.50g of Na3PO4 is mixed with a solution containing 6.40g Ba(NO3)2\n(a) given these starting quantities, what is the limiting reactant?\n(b)how many grams of Ba3(PO4)2 can be made?\n(c) if 3.50g Ba3(PO4)2 is actually made, what is the % yield.\nPlease show all work so that i can understand the steps. thanks ur. also i need it urgentlyOkay to answer the stoichiometry problem first...You need to balance the equation first...If you don't know how to balance the equation email me and I will explain. But the balanced equation is:\n\n2Na3PO4 + 3Ba(NO3)2 ----> Ba3(PO4)2 + 6NaNO3\n\nHere is a basic "map" you need to follow:\n\nGrams of Substance A divided by molar mass of A ===> Moles of A times the coefficients of A and B from balanced equation to get moles of substance B===> Moles of substance B times molar mass of substance B ===> Grams of substance B\n\n\nTo start we need to calculate the molar mass of the two compounds we are mixing together\nNa3PO4 = 151.97g/mol\nBa(NO3)2 - 213.34g/mol\nThen we need to find the molar mass of the product, which is Ba3(PO4)2 - 577.97g/mol\nIf you don't know how to find the molar mass, email me. Otherwise, read a chemistry book. Anyway the steps are to convert grams to moles then multiply by the coefficients of our balanced equation and then multiply again by grams of \n Ba3(PO4)2...Seems complicated, but it's really not. \n\n1. To see if Na3PO4 is the limiting reactant we divide 3.50g by it's molar mass of 151.97g/mol to get moles of Na3PO4\n\n3.50/151.97 = 2.30*10^-2 mol. Take this and multiply by the coefficients of our reactant and product:\n\nTake the coefficient in front of Na3PO4 and place that in the denominator /2 \nTake the coefficient in front of our product Ba3(PO4)2 and put it in the numerator 1/\n\nNow take the calculated moles of \n2.30*10^-2 and multiply them by (1/2) <---- the coefficients of reactant and product\n\nThis gives you moles of Ba3(PO4)2\n(2.30*10^-2) * (1/2) = 1.15*10^-2 mol\nNow multiply this number by the mol weight of our product which is 577.97g/mol and that gives you grams of product produced.\n\n(1.15*10^-2) * 577.97 = 6.66g of Ba3(PO4)2\n\nWhew!\n\nNow on to the next one....I won't explain fully as it's exactly the same procedure.\n\n6.40g/213.34g/mol = 2.99*10^-2 mol of Ba(NO3)2 (reactant)\n\n(2.99*10^-2) * (1/3) = 9.99*10^-3 mol of Ba(PO4)2 (product) \nI used (1/3) because the number in front of the reactant is 3 (goes in the denominator) and the 1 is the coefficient in front of the product.\n\nNow (9.99*10^-3) * (577.97) = 5.78g of Ba3(PO4)2\n\nokay so upon inspection, the limiting reactant is Ba(NO3)2 and it yields 5.78 grams...\n\nYou ask if 3.50 grams are actually yielded, what is the %\n\nSo....(actual yield/theoretical yield)*100 = % \n\n(3.50/5.78)*100 = 60.55%\n\nAlrighty....Now onto problem #2\n\nBalance: Al(NO3)3 + Na2S ----> Al2S3 + NaNO3 \n\n(A) Al(NO3)3 + (B) Na2S ----> (C) Al2S3 + (D) NaNO3\n\nPut variables in front of each reactant and product like I did above. Now assign an element to equal the variable on both sides. In our case:\n\nAl - A = 2C\nNO3 - 3A = D\nNa - 2B = D\nS - B = 3C\n\nNow make one letter equal one. We'll make A = 1\nSo..\nA = 1\nB = 3/2 (by algebra)\nC = 1/2 (by algebra) (email me if you don't know)\nD = 3\n\nwe can't have fractions in there, so we multiply all of them by two to get the 2 in the denominators out, and we end up with\n\nA = 2\nB = 3\nC = 1\nD = 6 With a final equation balanced out to look like:\n\n2Al(NO3)3 + 3Na2S ---> Al2S3 + 6NaNO3\n\nHope all this was clear!!! Enjoy
Science & Mathematics
182,992
4Computers & Internet
rotate a polygon using C#?
Polygon Rotation\n\nDescription\n\nThis article demonstrates how to rotate a polygon about its center. The polygon is a square, which is drawn using the Polygon() Win32 API function. All components on the form are created at runtime.\n\nPolygonRotation.cpp\n\n#include <vcl.h>\n#pragma hdrstop\n\n#include "PolygonRotate.h"\n#include &ltmath.h>\n//---------------------------------------------------------------------------\n#pragma package(smart_init)\n#pragma resource "*.dfm"\nTForm1 *Form1;\n\nint X_old;\nint Y_old;\n\nPOINT Poly1a[5] = {{100, 100}, {300, 100}, {300, 300}, {100, 300}, {100,100}};\nPOINT *pPoly1a = Poly1a;\n\nPOINT Poly1b[5] = {{500, 100}, {700, 100}, {700, 300}, {500, 300}, {500,100}};\nPOINT *pPoly1b = Poly1b;\n\nPOINT Poly2a[5];\nPOINT* pPoly2a = Poly2a;\n\nPOINT Poly2b[5];\nPOINT* pPoly2b = Poly2b;\n\n\n//---------------------------------------------------------------------------\n__fastcall TForm1::TForm1(TComponent* Owner)\n : TForm(Owner)\n{\n Position = poScreenCenter;\n Width = 800;\n Height = 600;\n Color = (TColor)0xabcdef; // Cream\n}\n//---------------------------------------------------------------------------\n\nvoid Translate(POINT* pin, POINT* pout, long DX, long DY)\n{\n for (int i = 0; i < 5; i++)\n {\n (pout+i)->x = (pin+i)->x + DX;\n (pout+i)->y = (pin+i)->y + DY;\n }\n}\n\nvoid Rotate(POINT* pin, POINT* pout, float Alpha, long xr, long yr,\n int NumberOfPoints)\n{\n//Rotate Polygon about a given point P whose coordinates are (xr, yr)\n\n // Degrees to radians\n float const K = -0.01745329; // 2*3.141592653/360\n\n for (int i = 0; i < NumberOfPoints; i++)\n {\n (pout+i)->x = (long)(xr + (((pin+i)->x - xr) * cos(K*Alpha))\n - (((pin+i)->y - yr) * sin(K*Alpha)));\n\n (pout+i)->y = (long)(yr + (((pin+i)->x - xr) * sin(K*Alpha))\n + (((pin+i)->y - yr) * cos(K*Alpha)));\n }\n}\n//---------------------------------------------------------------------------\n\nvoid Translate(POINT* pin, POINT* pout, long xt, long yt,\n int NumberOfPoints)\n{\n//Tanslate Polygon\n\n for (int i = 0; i< NumberOfPoints; i++)\n {\n (pout+i)->x = (long)((pin+i)->x + xt);\n\n (pout+i)->y = (long)((pin+i)->y + yt);\n }\n}\n//---------------------------------------------------------------------------\n\nvoid __fastcall TForm1::FormMouseDown(TObject *Sender, TMouseButton Button,\n TShiftState Shift, int X, int Y)\n{\n X_old = X;\n Y_old = Y;\n}\n//---------------------------------------------------------------------------\n\nvoid __fastcall TForm1::FormMouseMove(TObject *Sender, TShiftState Shift,\n int X, int Y)\n{\n\n if (X_old != X)\n {\n // Convert X mouse movement into polygon rotation\n Rotate(pPoly1a, pPoly2a, X, 200, 200, 5);\n Polygon(Canvas->Handle, pPoly2a, 5); //Win32 API\n }\n\n if (Y_old != Y)\n {\n // Convert Y mouse movement into polygon rotation \n Rotate(pPoly1b, pPoly2b, Y, 600, 200, 5);\n Polygon(Canvas->Handle, pPoly2b, 5); //Win32 API\n }\n\n X_old = X;\n Y_old = Y;\n}\n//---------------------------------------------------------------------------\n\nPolygonRotation.h\n\n#ifndef PolygonRotateH\n#define PolygonRotateH\n//---------------------------------------------------------------------------\n#include <Classes.hpp>\n#include <Controls.hpp>\n#include <StdCtrls.hpp>\n#include <Forms.hpp>\n#include <ExtCtrls.hpp>\n//---------------------------------------------------------------------------\nclass TForm1 : public TForm\n{\n__published:// IDE-managed Components\n void __fastcall FormMouseDown(TObject *Sender, TMouseButton Button,\n TShiftState Sh
1,228
rotate a polygon using C#?Polygon Rotation\n\nDescription\n\nThis article demonstrates how to rotate a polygon about its center. The polygon is a square, which is drawn using the Polygon() Win32 API function. All components on the form are created at runtime.\n\nPolygonRotation.cpp\n\n#include <vcl.h>\n#pragma hdrstop\n\n#include "PolygonRotate.h"\n#include &ltmath.h>\n//---------------------------------------------------------------------------\n#pragma package(smart_init)\n#pragma resource "*.dfm"\nTForm1 *Form1;\n\nint X_old;\nint Y_old;\n\nPOINT Poly1a[5] = {{100, 100}, {300, 100}, {300, 300}, {100, 300}, {100,100}};\nPOINT *pPoly1a = Poly1a;\n\nPOINT Poly1b[5] = {{500, 100}, {700, 100}, {700, 300}, {500, 300}, {500,100}};\nPOINT *pPoly1b = Poly1b;\n\nPOINT Poly2a[5];\nPOINT* pPoly2a = Poly2a;\n\nPOINT Poly2b[5];\nPOINT* pPoly2b = Poly2b;\n\n\n//---------------------------------------------------------------------------\n__fastcall TForm1::TForm1(TComponent* Owner)\n : TForm(Owner)\n{\n Position = poScreenCenter;\n Width = 800;\n Height = 600;\n Color = (TColor)0xabcdef; // Cream\n}\n//---------------------------------------------------------------------------\n\nvoid Translate(POINT* pin, POINT* pout, long DX, long DY)\n{\n for (int i = 0; i < 5; i++)\n {\n (pout+i)->x = (pin+i)->x + DX;\n (pout+i)->y = (pin+i)->y + DY;\n }\n}\n\nvoid Rotate(POINT* pin, POINT* pout, float Alpha, long xr, long yr,\n int NumberOfPoints)\n{\n//Rotate Polygon about a given point P whose coordinates are (xr, yr)\n\n // Degrees to radians\n float const K = -0.01745329; // 2*3.141592653/360\n\n for (int i = 0; i < NumberOfPoints; i++)\n {\n (pout+i)->x = (long)(xr + (((pin+i)->x - xr) * cos(K*Alpha))\n - (((pin+i)->y - yr) * sin(K*Alpha)));\n\n (pout+i)->y = (long)(yr + (((pin+i)->x - xr) * sin(K*Alpha))\n + (((pin+i)->y - yr) * cos(K*Alpha)));\n }\n}\n//---------------------------------------------------------------------------\n\nvoid Translate(POINT* pin, POINT* pout, long xt, long yt,\n int NumberOfPoints)\n{\n//Tanslate Polygon\n\n for (int i = 0; i< NumberOfPoints; i++)\n {\n (pout+i)->x = (long)((pin+i)->x + xt);\n\n (pout+i)->y = (long)((pin+i)->y + yt);\n }\n}\n//---------------------------------------------------------------------------\n\nvoid __fastcall TForm1::FormMouseDown(TObject *Sender, TMouseButton Button,\n TShiftState Shift, int X, int Y)\n{\n X_old = X;\n Y_old = Y;\n}\n//---------------------------------------------------------------------------\n\nvoid __fastcall TForm1::FormMouseMove(TObject *Sender, TShiftState Shift,\n int X, int Y)\n{\n\n if (X_old != X)\n {\n // Convert X mouse movement into polygon rotation\n Rotate(pPoly1a, pPoly2a, X, 200, 200, 5);\n Polygon(Canvas->Handle, pPoly2a, 5); //Win32 API\n }\n\n if (Y_old != Y)\n {\n // Convert Y mouse movement into polygon rotation \n Rotate(pPoly1b, pPoly2b, Y, 600, 200, 5);\n Polygon(Canvas->Handle, pPoly2b, 5); //Win32 API\n }\n\n X_old = X;\n Y_old = Y;\n}\n//---------------------------------------------------------------------------\n\nPolygonRotation.h\n\n#ifndef PolygonRotateH\n#define PolygonRotateH\n//---------------------------------------------------------------------------\n#include <Classes.hpp>\n#include <Controls.hpp>\n#include <StdCtrls.hpp>\n#include <Forms.hpp>\n#include <ExtCtrls.hpp>\n//---------------------------------------------------------------------------\nclass TForm1 : public TForm\n{\n__published:// IDE-managed Components\n void __fastcall FormMouseDown(TObject *Sender, TMouseButton Button,\n TShiftState Sh
Computers & Internet
183,021
4Computers & Internet
what is the diference between dvd-r and dvd+r?
i don't know what is the difference between dvd-r and dvd+r?\nis any difference in the way it is writed?\nwhich one is cheaper?\nwhich one is better for data, foto, video and/or music?\nwhich one is more reliable?
DVD-R\nA DVD-Recordable or DVD-R (pronounced "DVD Are" or "DVD Dash Are") is an optical disc with a larger storage capacity than a CD-R, typically 4.7 GB (4.38 GiB) instead of 700 MiB, although the capacity of the original standard was 3.95 GB. Pioneer has also developed a 8.54 GB dual layer version, which appeared on the market in 2005. A DVD-R can be written to only once, whereas a DVD-RW (DVD-rewritable) can be rewritten multiple times.\n\nThe DVD-R format was developed by Pioneer in autumn of 1997. It is supported by most DVD players, and is approved by the DVD Forum.\n\nA competing format is DVD+R (also DVD+RW for the rewritables). Hybrid drives that handle both formats are often labeled DVD±R and Super Multi (which includes DVD-RAM support) and are very popular.\n\nThe larger storage capacity of a DVD-R compared to a CD-R is achieved through smaller pit size and smaller track pitch of the groove spiral which guides the laser beam. Consequently, more pits can be written on the same physical sized disc. In order to write smaller pits onto the recording dye layer (see CD-R) a red laser beam with a wavelength of 650 nm (for general use recordable DVD) is used in conjunction with a higher numerical aperture lens. Because of this shorter wavelength, compared to CD-R, DVD-R and DVD+R use different dyes to properly absorb this wavelength.\n\nDVD-R discs are composed of two 0.6 mm polycarbonate discs, bonded with an adhesive to each other. One contains the laser guiding groove and is coated with the recording dye and a silver, silver alloy or gold reflector. The other one (for single-sided discs) is an ungrooved "dummy" disc to assure mechanical stability of the sandwich structure, and compatibility with the compact disc standard geometry which requires a total disc thickness of about 1.2 mm. Double-sided discs have two grooved, recordable disc sides, and require the user to flip the disc to access the other side. Compared to a CD's 1.2 mm of polycarbonate, a DVD's laser beam only has to penetrate 0.6 mm of plastic in order to reach the dye recording layer, which allows the lens to focus the beam to a smaller spot size, which is key for writing smaller pits.\n\nIn a DVD-R, the addressing (the determination of location of the laser beam on the disc) is done with additional pits and lands (called land pre-pits) in the areas between the grooves. The groove on a DVD-R disc has a constant wobble frequency used for motor control etc.\n\nCheck out http://en.wikipedia.org/wiki/Dvd-r for more information about DVD-R\n\nDVD+R\nA DVD+R is a writable optical disc with 4.7 GB (4.38 GiB) of storage capacity (interpreted as &#92;approx 4.7&#92;cdot10^9, actually 2295104 sectors of 2048 bytes each). The format was developed by a coalition of corporations, known as the DVD+RW Alliance, in mid 2002. Since the DVD+R format is a competing format to the DVD-R format, which is developed by the DVD Forum, it has not been approved by the DVD Forum, which claims that the DVD+R format is not an official DVD format.\n\nIn October of 2003, it was demonstrated that double layer technology could be used with a DVD+R disc to nearly double the capacity to 8.5 GB per disc. Manufacturers have incorporated this technology into commercial devices since mid-2004 (see DVD+R DL).\n\nUnlike DVD+RW discs, DVD+R discs can only be written to once. Because of this, DVD+R discs are suited to applications such as nonvolatile data storage, audio, or video.\n\nThe DVD+R format is divergent from the DVD-R format. Hybrid drives that can handle both, often labeled "DVD±RW", are very popular since there is not yet a single standard for recordable DVDs. There are a number of significant technical differences between the dash and plus formats, and although most consumers would not notice the difference, the plus format is considered by some to be better engineered.\n\nLike other plus media, it is possible to use bitsetting to increas
1,044
what is the diference between dvd-r and dvd+r?i don't know what is the difference between dvd-r and dvd+r?\nis any difference in the way it is writed?\nwhich one is cheaper?\nwhich one is better for data, foto, video and/or music?\nwhich one is more reliable?DVD-R\nA DVD-Recordable or DVD-R (pronounced "DVD Are" or "DVD Dash Are") is an optical disc with a larger storage capacity than a CD-R, typically 4.7 GB (4.38 GiB) instead of 700 MiB, although the capacity of the original standard was 3.95 GB. Pioneer has also developed a 8.54 GB dual layer version, which appeared on the market in 2005. A DVD-R can be written to only once, whereas a DVD-RW (DVD-rewritable) can be rewritten multiple times.\n\nThe DVD-R format was developed by Pioneer in autumn of 1997. It is supported by most DVD players, and is approved by the DVD Forum.\n\nA competing format is DVD+R (also DVD+RW for the rewritables). Hybrid drives that handle both formats are often labeled DVD±R and Super Multi (which includes DVD-RAM support) and are very popular.\n\nThe larger storage capacity of a DVD-R compared to a CD-R is achieved through smaller pit size and smaller track pitch of the groove spiral which guides the laser beam. Consequently, more pits can be written on the same physical sized disc. In order to write smaller pits onto the recording dye layer (see CD-R) a red laser beam with a wavelength of 650 nm (for general use recordable DVD) is used in conjunction with a higher numerical aperture lens. Because of this shorter wavelength, compared to CD-R, DVD-R and DVD+R use different dyes to properly absorb this wavelength.\n\nDVD-R discs are composed of two 0.6 mm polycarbonate discs, bonded with an adhesive to each other. One contains the laser guiding groove and is coated with the recording dye and a silver, silver alloy or gold reflector. The other one (for single-sided discs) is an ungrooved "dummy" disc to assure mechanical stability of the sandwich structure, and compatibility with the compact disc standard geometry which requires a total disc thickness of about 1.2 mm. Double-sided discs have two grooved, recordable disc sides, and require the user to flip the disc to access the other side. Compared to a CD's 1.2 mm of polycarbonate, a DVD's laser beam only has to penetrate 0.6 mm of plastic in order to reach the dye recording layer, which allows the lens to focus the beam to a smaller spot size, which is key for writing smaller pits.\n\nIn a DVD-R, the addressing (the determination of location of the laser beam on the disc) is done with additional pits and lands (called land pre-pits) in the areas between the grooves. The groove on a DVD-R disc has a constant wobble frequency used for motor control etc.\n\nCheck out http://en.wikipedia.org/wiki/Dvd-r for more information about DVD-R\n\nDVD+R\nA DVD+R is a writable optical disc with 4.7 GB (4.38 GiB) of storage capacity (interpreted as &#92;approx 4.7&#92;cdot10^9, actually 2295104 sectors of 2048 bytes each). The format was developed by a coalition of corporations, known as the DVD+RW Alliance, in mid 2002. Since the DVD+R format is a competing format to the DVD-R format, which is developed by the DVD Forum, it has not been approved by the DVD Forum, which claims that the DVD+R format is not an official DVD format.\n\nIn October of 2003, it was demonstrated that double layer technology could be used with a DVD+R disc to nearly double the capacity to 8.5 GB per disc. Manufacturers have incorporated this technology into commercial devices since mid-2004 (see DVD+R DL).\n\nUnlike DVD+RW discs, DVD+R discs can only be written to once. Because of this, DVD+R discs are suited to applications such as nonvolatile data storage, audio, or video.\n\nThe DVD+R format is divergent from the DVD-R format. Hybrid drives that can handle both, often labeled "DVD±RW", are very popular since there is not yet a single standard for recordable DVDs. There are a number of significant technical differences between the dash and plus formats, and although most consumers would not notice the difference, the plus format is considered by some to be better engineered.\n\nLike other plus media, it is possible to use bitsetting to increas
Computers & Internet
183,996
2Health
Why do my finger nails have ridges in them?
Every single one of my nails has tiny ridges going straight down the face of the nail. anybody know why and how to cure it?
From Prescription for Nutritional Healing by Balch & Balch \n\nThe nails protect the nerve-rich fingertips and tips of the toes from injury. Nails are a substructure of the epidermis (the outer layer of the skin) and are composed mainly of keratin, a type of protein. the nail bed is the skin on tip of which the nails grow. Nails grow from .05 to 1.2 millimeters (approximately 1/500 to 1/20 inch) a week. If a nail is lost, it takes about seven months to grow out fully. \n\nHealthy nail beds are pink, indicating a rich blood supply. changes or abnormalities in the nails are often the result of nutritional deficiencies or other underlying conditions. The nails can reveal a great deal about the body's internal health. nail abnormalities on either the fingers or the toes can indication underlying disorder. \n\nThe following are some of the changes that nutritional deficiencies can produce in the nails: \n\nA lack of protein, folic acid, and vitamin C causes hang nails. White bands across the nails are also an indication of protein deficiency. \n\nA lack of vitamin A and calcium causes dryness and brittleness. \n\nA deficiency of the B vitamins causes fragility, with horizontal and vertical ridges. \n\nInsufficient intake of vitamin B12 leads to excessive dryness, very rounded and curved nail ends, and darkened nails. \n\nIron deficiency may result in 'spoon' nails (nails that develop a concave shape) and/or vertical ridges. \n\nZinc deficiency may cause the development of white spots on the nails. \n\nA lack of sufficient 'friendly' bacteria (lactobacilli) in the body can result in the growth of fungus under and around nails. \n\nA lack of sufficient hydrochloric acid (HCI) contributes to splitting nails. \n\nDISORDERS THAT SHOW UP IN THE NAILS \n\nNail changes may signify a number of disorders elsewhere in the body. These changes may indicate illness before any othersymptoms do. Seek medical attention if any of the following symptoms are suspected. \n\nBLACK, SPLINTER LIKE BITS UNDER THE NAILS can be a sign of infectious endocarditis, a serious heart infection; other heart disease; or a bleeding disorder. \n\nBLACK BANDS from the cuticle outward to the end of the nail can be an early sign of melanoma. \n\nBRITTLE, SOFT, SHINY NAILS WITHOUT A MOON may indicate an overactive thyroid. \n\nBRITTLE NAILS signify possible iron deficiency, thyroid problems, impaired kidney function, and circulation problems. \n\nCRUMBLY, WHITE NAILS near the cuticle are sometimes an indication of AIDS. \n\nDAR NAILS AND/OR THIN, FLAT, SPOON-SHAPED NAILS are a sign of vitamin B12 deficiency or anemia. Nails can also turn gray or dark if the hands are placed in chemicals such as cleaning supplies (most often bleach) or a substance to which one is allergic. \n\nDEEP BLUE NAIL BEDS show a pulmonary obstructive disorder such as asthma or emphysema. \n\nDOWNWARD-CURVED nail ends may denote heart, liver, or respiratory problems. \n\nFLAT NAILS can denote Raynaud's disease. \n\nGREENISH NAILS, if not a result of a localized fungal infection, may indicate an internal bacterial infection. \n\nA HALF-WHITE NAIL WITH DARK SPOTS AT THE TIP points to possible kidney disease. \n\nAN ISOLATED DARK-BLUE BAND IN THE NAIL BED, especially in light-skinned people, can be a sign of skin cancer. \n\nLINDSAY'S NAILS (sometimes known as 'half-and-half' nails), nails in which half of the top of the nail is white and the other half is pink, may be a sign of chronic kidney disease. \n\nNAIL BEADING (the development of bumps on the surface of the nail) is a sign of rheumatoid arthritis. \n\nNAILS RAISED AT THE BASE WITH SMALL WHITE ENDS, show a respiratory disorder such as emphysema or chronic bronchitis. This type of nails may also simply be inherited. \n\nNAILS SEPARATED FROM THE NAIL BED may signify a thyroid disorder (this condition is known as onyholysis) or a local infection. \n\nNAILS THAT BROADEN TOWARD THE TIP AND CURVE DOWNWARD are a sin
1,080
Why do my finger nails have ridges in them?Every single one of my nails has tiny ridges going straight down the face of the nail. anybody know why and how to cure it?From Prescription for Nutritional Healing by Balch & Balch \n\nThe nails protect the nerve-rich fingertips and tips of the toes from injury. Nails are a substructure of the epidermis (the outer layer of the skin) and are composed mainly of keratin, a type of protein. the nail bed is the skin on tip of which the nails grow. Nails grow from .05 to 1.2 millimeters (approximately 1/500 to 1/20 inch) a week. If a nail is lost, it takes about seven months to grow out fully. \n\nHealthy nail beds are pink, indicating a rich blood supply. changes or abnormalities in the nails are often the result of nutritional deficiencies or other underlying conditions. The nails can reveal a great deal about the body's internal health. nail abnormalities on either the fingers or the toes can indication underlying disorder. \n\nThe following are some of the changes that nutritional deficiencies can produce in the nails: \n\nA lack of protein, folic acid, and vitamin C causes hang nails. White bands across the nails are also an indication of protein deficiency. \n\nA lack of vitamin A and calcium causes dryness and brittleness. \n\nA deficiency of the B vitamins causes fragility, with horizontal and vertical ridges. \n\nInsufficient intake of vitamin B12 leads to excessive dryness, very rounded and curved nail ends, and darkened nails. \n\nIron deficiency may result in 'spoon' nails (nails that develop a concave shape) and/or vertical ridges. \n\nZinc deficiency may cause the development of white spots on the nails. \n\nA lack of sufficient 'friendly' bacteria (lactobacilli) in the body can result in the growth of fungus under and around nails. \n\nA lack of sufficient hydrochloric acid (HCI) contributes to splitting nails. \n\nDISORDERS THAT SHOW UP IN THE NAILS \n\nNail changes may signify a number of disorders elsewhere in the body. These changes may indicate illness before any othersymptoms do. Seek medical attention if any of the following symptoms are suspected. \n\nBLACK, SPLINTER LIKE BITS UNDER THE NAILS can be a sign of infectious endocarditis, a serious heart infection; other heart disease; or a bleeding disorder. \n\nBLACK BANDS from the cuticle outward to the end of the nail can be an early sign of melanoma. \n\nBRITTLE, SOFT, SHINY NAILS WITHOUT A MOON may indicate an overactive thyroid. \n\nBRITTLE NAILS signify possible iron deficiency, thyroid problems, impaired kidney function, and circulation problems. \n\nCRUMBLY, WHITE NAILS near the cuticle are sometimes an indication of AIDS. \n\nDAR NAILS AND/OR THIN, FLAT, SPOON-SHAPED NAILS are a sign of vitamin B12 deficiency or anemia. Nails can also turn gray or dark if the hands are placed in chemicals such as cleaning supplies (most often bleach) or a substance to which one is allergic. \n\nDEEP BLUE NAIL BEDS show a pulmonary obstructive disorder such as asthma or emphysema. \n\nDOWNWARD-CURVED nail ends may denote heart, liver, or respiratory problems. \n\nFLAT NAILS can denote Raynaud's disease. \n\nGREENISH NAILS, if not a result of a localized fungal infection, may indicate an internal bacterial infection. \n\nA HALF-WHITE NAIL WITH DARK SPOTS AT THE TIP points to possible kidney disease. \n\nAN ISOLATED DARK-BLUE BAND IN THE NAIL BED, especially in light-skinned people, can be a sign of skin cancer. \n\nLINDSAY'S NAILS (sometimes known as 'half-and-half' nails), nails in which half of the top of the nail is white and the other half is pink, may be a sign of chronic kidney disease. \n\nNAIL BEADING (the development of bumps on the surface of the nail) is a sign of rheumatoid arthritis. \n\nNAILS RAISED AT THE BASE WITH SMALL WHITE ENDS, show a respiratory disorder such as emphysema or chronic bronchitis. This type of nails may also simply be inherited. \n\nNAILS SEPARATED FROM THE NAIL BED may signify a thyroid disorder (this condition is known as onyholysis) or a local infection. \n\nNAILS THAT BROADEN TOWARD THE TIP AND CURVE DOWNWARD are a sin
Health
184,251
0Society & Culture
I'm not one, but can a mason and/or eastern star be a true christian, muslim, or judeaism?
How can they be if when they pray they can only acknowledge the G.A.O.T.U. (great, architect, of, the, universe) so that Hindus, muslims, jews, buddhist, and even witches can be apart of it? Muslims, Jews, and Christians have one thing in common, that is that we serve and believe in one GOD, so can we or any of these others that believes in one GOD be a mason and/or eastern starr without compromising?
The Catholic Church has difficulties with Freemasonry because it is indeed a kind of religion unto itself. The practice of Freemasonry includes temples, altars, a moral code, worship services, vestments, feast days, a hierarchy of leadership, initiation and burial rites, and promises of eternal reward and punishment. While in America most Masons are Christian and will display a Bible on their "altar," in the same lodges or elsewhere, Jews, Moslems, Hindus or other non-Christian religions can be admitted and may use their own sacred scriptures. (In France, in 1877, the "Grand Orient" Lodge eliminated the need to believe in God or the immortality of the soul, thereby admitting atheists into their fold; this atheistic type of Freemasonry spread particularly in Latin countries.)\n\nMoreover, the rituals involve the corruption of Christianity. The cross is merely a symbol of nature and eternal life, devoid of Christ's sacrifice for sin. INRI (For Christians, "Iesus Nazarenus Rex Iudaeorum," i.e. Jesus of Nazareth King of the Jews) means for Masons "Igne Natura Renovatur Integra" ("the fire of nature rejuvenates all) referring to the sacred fire's (truth and love) regeneration of mankind, just as the sun regenerates nature in the Spring.\n\nThe rituals are also inimical to Catholicism. During the initiation rite, the candidate expresses a desire to seek "light," and he is assured he will receive the light of spiritual instruction that he could not receive in another Church, and that he will gain eternal rest in the "celestial lodge" if he lives and dies according to Masonic principles. Note also that since Masonry involves non-Christians, the use of the name of Jesus is forbidden within the lodge.\n\nA strong Anti-Catholicism also permeates Freemasonry. The two traditional enemies of Freemasonry are the royalty and the papacy. Masons even believe that Christ, dying on Calvary, was the "greatest among the apostles of humanity, braving Roman despotism and the fanaticism and bigotry of the priesthood." When one reaches the 30th degree in the masonic hierarchy, called the Kadosh, the person crushes with his foot the papal tiara and the royal crown, and swears to free mankind "from the bondage of despotism and the thraldom of spiritual tyranny."\n\nA second difficulty with Freemasonry for Catholics involves taking of oaths. An oath is a religious act which asks God to witness the truth of the statement or the fulfillment of a promise. Only the Church and the state, for serious reasons, can require an oath. A candidate makes an oath to Freemasonry and its secrets under pain of death or self-mutilation by kneeling blindfolded in front of the altar, placing both hands on the volume of sacred law (perhaps the Bible), the square and the compass, and repeating after the "worshipful master." Keep in mind that the candidate does not yet even know all the "secrets" to which he is taking an oath. \n\nThe history of Freemasonry has proven its anti-Catholic nature. In the United States, one of the leaders of Freemasonry, General Albert Pike (d. 1891) referred to the papacy as "a deadly, treacherous enemy," and wrote, "The papacy has been for a thousand years the torturer and curse of humanity, the most shameless imposture, in its pretense to spiritual power of all ages." In France, in 1877, and in Portugal in 1910, Freemasons took control of the government for a time and enacted laws to restrict the activities of the Church, particularly in education. In Latin America, the Freemasons have expressed anti-Church and anti-clerical sentiment.\n\nSince the decree "In Eminenti" of Pope Clement XII in 1738, Catholics have been forbidden to jojn the Masons, and until 1983, under pain of excommunication. (The Orthodox and several Protestant churches also ban membership in the Masons.) Confusion occurred in 1974, when
1,035
I'm not one, but can a mason and/or eastern star be a true christian, muslim, or judeaism?How can they be if when they pray they can only acknowledge the G.A.O.T.U. (great, architect, of, the, universe) so that Hindus, muslims, jews, buddhist, and even witches can be apart of it? Muslims, Jews, and Christians have one thing in common, that is that we serve and believe in one GOD, so can we or any of these others that believes in one GOD be a mason and/or eastern starr without compromising?The Catholic Church has difficulties with Freemasonry because it is indeed a kind of religion unto itself. The practice of Freemasonry includes temples, altars, a moral code, worship services, vestments, feast days, a hierarchy of leadership, initiation and burial rites, and promises of eternal reward and punishment. While in America most Masons are Christian and will display a Bible on their "altar," in the same lodges or elsewhere, Jews, Moslems, Hindus or other non-Christian religions can be admitted and may use their own sacred scriptures. (In France, in 1877, the "Grand Orient" Lodge eliminated the need to believe in God or the immortality of the soul, thereby admitting atheists into their fold; this atheistic type of Freemasonry spread particularly in Latin countries.)\n\nMoreover, the rituals involve the corruption of Christianity. The cross is merely a symbol of nature and eternal life, devoid of Christ's sacrifice for sin. INRI (For Christians, "Iesus Nazarenus Rex Iudaeorum," i.e. Jesus of Nazareth King of the Jews) means for Masons "Igne Natura Renovatur Integra" ("the fire of nature rejuvenates all) referring to the sacred fire's (truth and love) regeneration of mankind, just as the sun regenerates nature in the Spring.\n\nThe rituals are also inimical to Catholicism. During the initiation rite, the candidate expresses a desire to seek "light," and he is assured he will receive the light of spiritual instruction that he could not receive in another Church, and that he will gain eternal rest in the "celestial lodge" if he lives and dies according to Masonic principles. Note also that since Masonry involves non-Christians, the use of the name of Jesus is forbidden within the lodge.\n\nA strong Anti-Catholicism also permeates Freemasonry. The two traditional enemies of Freemasonry are the royalty and the papacy. Masons even believe that Christ, dying on Calvary, was the "greatest among the apostles of humanity, braving Roman despotism and the fanaticism and bigotry of the priesthood." When one reaches the 30th degree in the masonic hierarchy, called the Kadosh, the person crushes with his foot the papal tiara and the royal crown, and swears to free mankind "from the bondage of despotism and the thraldom of spiritual tyranny."\n\nA second difficulty with Freemasonry for Catholics involves taking of oaths. An oath is a religious act which asks God to witness the truth of the statement or the fulfillment of a promise. Only the Church and the state, for serious reasons, can require an oath. A candidate makes an oath to Freemasonry and its secrets under pain of death or self-mutilation by kneeling blindfolded in front of the altar, placing both hands on the volume of sacred law (perhaps the Bible), the square and the compass, and repeating after the "worshipful master." Keep in mind that the candidate does not yet even know all the "secrets" to which he is taking an oath. \n\nThe history of Freemasonry has proven its anti-Catholic nature. In the United States, one of the leaders of Freemasonry, General Albert Pike (d. 1891) referred to the papacy as "a deadly, treacherous enemy," and wrote, "The papacy has been for a thousand years the torturer and curse of humanity, the most shameless imposture, in its pretense to spiritual power of all ages." In France, in 1877, and in Portugal in 1910, Freemasons took control of the government for a time and enacted laws to restrict the activities of the Church, particularly in education. In Latin America, the Freemasons have expressed anti-Church and anti-clerical sentiment.\n\nSince the decree "In Eminenti" of Pope Clement XII in 1738, Catholics have been forbidden to jojn the Masons, and until 1983, under pain of excommunication. (The Orthodox and several Protestant churches also ban membership in the Masons.) Confusion occurred in 1974, when
Society & Culture
184,611
3Education & Reference
where do i find personal debt statistics and infro from a creditable source?
I would start here. It takes searching but this is probably the most credible source in the world:\n\nhttp://www.fedstats.gov/\n\nHere are a few to get you started: They are from my new book\nMinimum Payment Due:\n\nHow Bad Is It? \n Money and money related concerns are the number \none causes of stress in the United States. \n\n Over 43% of U.S. families spend more than they earn. \n(Federal Reserve). \n\n The majority of those households function on 120% \nof its income. The additional 20% comes from deficient \nspending; namely credit cards. \n\n Between 65 -70% of all U.S. families live from paycheck \nto paycheck or as some call it hand to mouth. (Federal \nReserve) \n\n As of 1995 92% of the U.S. familys disposable income \nis spent on paying debts, up from 65% in 1975. \n(Federal Reserve)\n \n 36% of all Americans fret obsessively over their \nfinances (Mens Heath March, 2004) \n\n According to the U.S Census Bureau in 2000 the median \n(typical) income for all U.S. households was $42,151 \n\n The median income of White households was $45,910 \n The median income of Hispanic households was 33,455 \n The median income of Black households was $30,436.\n \nAccording to CardWeb.com one of the leading \nauthorities on the payment card industry, the average \ncredit card debt is $8,523.00\n \n That means for the average household, credit card \ndebt equals 20% of their yearly income (before taxes). \nAssuming 30% for taxes the average household credit \ncard debt equals close to 30% of the average take \nhome pay (on top of all the other expenses). If you \nare Black or Hispanic then chances are even more of \nyour disposable income is eaten up by credit card \ndebt. \n\n The average credit card interest rate is 17% \n\n The Minimum payment Due on credit cards ranges \nbetween 1-2% of the outstanding balance \n\n 50% of American households admit they have trouble \nmaking the Minimum Payment Due.\n \n Assuming an annual interest rate of 17% and a \nminimum payment of 2% it would take close to 48 \nyears to pay off the balance. The interest costs alone \nwould total more than $19,860. The total amount paid \nto the credit card company from that original $8,523 \nwould be $28,383.33. \n\n If you didnt have your credit card payment of $218 a \nmonth, and you instead invested that money in a \n12% savings plan, in 25 years you could retire with \n$1,354,930 in the bank. So your credit card payments \nnot only will cost you thousands in interest, but also \nprohibits many Americans from adequately saving for \ntheir retirement and makes bankruptcy look like the \nonly alternative. Neway Debt Counseling \n\n Of the people who do save but earn less than $90,000 \nper year 93% save less than 8% of their income. \n(USA Today)\n\n \nAt the time of this writing, the average U.S. savings \nrate is between one and two percent. Americans are \nsaving less now than anytime since the Great \nDepression. (U.S. Department of Commerce) \n\n The median household in America has a net worth of \nless than $15,000, excluding home equity. Factor out \nequity in motor vehicles, furniture and such and guess \nwhat? More often than not the household has zero \nfinancial assets, such as stocks and bonds. (The \nMillionaire Next Door)\n \nWhere Does It All Go? \n Big Business in the U.S. will spend well more than $1 \nTrillion a year on marketing. This is double the \nAmericans spending on all public and private education, \nfrom kindergarten through graduate school. It also \nworks out to $4,000 a year for each man, woman and \nchild in the country. That $4,000 is triple the annual \nper capita gross domestic product of the low- and \nmiddle-income countries, where 85 percent of the \nworlds people now live. (Michael Dawson: The \nConsumer Trap)\n \n According to Lifestyle magazine, the average American \nwoman has at least seven pair of blue jeans (lets not \ntalk about shoes). \n\n Well okay, lets talk about shoes. Linda OKeffe author of \nShoes: A
1,076
where do i find personal debt statistics and infro from a creditable source?I would start here. It takes searching but this is probably the most credible source in the world:\n\nhttp://www.fedstats.gov/\n\nHere are a few to get you started: They are from my new book\nMinimum Payment Due:\n\nHow Bad Is It? \n Money and money related concerns are the number \none causes of stress in the United States. \n\n Over 43% of U.S. families spend more than they earn. \n(Federal Reserve). \n\n The majority of those households function on 120% \nof its income. The additional 20% comes from deficient \nspending; namely credit cards. \n\n Between 65 -70% of all U.S. families live from paycheck \nto paycheck or as some call it hand to mouth. (Federal \nReserve) \n\n As of 1995 92% of the U.S. familys disposable income \nis spent on paying debts, up from 65% in 1975. \n(Federal Reserve)\n \n 36% of all Americans fret obsessively over their \nfinances (Mens Heath March, 2004) \n\n According to the U.S Census Bureau in 2000 the median \n(typical) income for all U.S. households was $42,151 \n\n The median income of White households was $45,910 \n The median income of Hispanic households was 33,455 \n The median income of Black households was $30,436.\n \nAccording to CardWeb.com one of the leading \nauthorities on the payment card industry, the average \ncredit card debt is $8,523.00\n \n That means for the average household, credit card \ndebt equals 20% of their yearly income (before taxes). \nAssuming 30% for taxes the average household credit \ncard debt equals close to 30% of the average take \nhome pay (on top of all the other expenses). If you \nare Black or Hispanic then chances are even more of \nyour disposable income is eaten up by credit card \ndebt. \n\n The average credit card interest rate is 17% \n\n The Minimum payment Due on credit cards ranges \nbetween 1-2% of the outstanding balance \n\n 50% of American households admit they have trouble \nmaking the Minimum Payment Due.\n \n Assuming an annual interest rate of 17% and a \nminimum payment of 2% it would take close to 48 \nyears to pay off the balance. The interest costs alone \nwould total more than $19,860. The total amount paid \nto the credit card company from that original $8,523 \nwould be $28,383.33. \n\n If you didnt have your credit card payment of $218 a \nmonth, and you instead invested that money in a \n12% savings plan, in 25 years you could retire with \n$1,354,930 in the bank. So your credit card payments \nnot only will cost you thousands in interest, but also \nprohibits many Americans from adequately saving for \ntheir retirement and makes bankruptcy look like the \nonly alternative. Neway Debt Counseling \n\n Of the people who do save but earn less than $90,000 \nper year 93% save less than 8% of their income. \n(USA Today)\n\n \nAt the time of this writing, the average U.S. savings \nrate is between one and two percent. Americans are \nsaving less now than anytime since the Great \nDepression. (U.S. Department of Commerce) \n\n The median household in America has a net worth of \nless than $15,000, excluding home equity. Factor out \nequity in motor vehicles, furniture and such and guess \nwhat? More often than not the household has zero \nfinancial assets, such as stocks and bonds. (The \nMillionaire Next Door)\n \nWhere Does It All Go? \n Big Business in the U.S. will spend well more than $1 \nTrillion a year on marketing. This is double the \nAmericans spending on all public and private education, \nfrom kindergarten through graduate school. It also \nworks out to $4,000 a year for each man, woman and \nchild in the country. That $4,000 is triple the annual \nper capita gross domestic product of the low- and \nmiddle-income countries, where 85 percent of the \nworlds people now live. (Michael Dawson: The \nConsumer Trap)\n \n According to Lifestyle magazine, the average American \nwoman has at least seven pair of blue jeans (lets not \ntalk about shoes). \n\n Well okay, lets talk about shoes. Linda OKeffe author of \nShoes: A
Education & Reference