Document
stringlengths
87
1.67M
Source
stringclasses
5 values
Supeno Supeno (12 June 1916 – 24 February 1949) was the Minister of Development/Youth in the First Hatta Cabinet of Indonesia. He died while still serving in the department as a result of the Dutch Military Aggression II. Supeno is now regarded as a National Hero of Indonesia. Early life Soepeno born in Pekalongan, Central Java, on 12 June 1916. He was the son of an officer of the Tegal Station Soemarno. Accessed After graduating from High school (AMS) in Semarang, she went to Technical High School (Technische Hogeschool) in Bandung. Only two years old, studying in school it's because he moved to the High School of Law (Recht Hogeschool) in Jakarta. In the city, staying in hostels Soepeno Assembly of Students Indonesia (RMIC) in Jalan Cikini Raya 71. Therefore, his colleagues, he was selected as the head of the hostel. Being Minister In the First Hatta Cabinet, he was appointed Minister of Youth and Sports. Death When the Dutch invaded Indonesia on 19 December 1948, the Minister of Youth and Supeno RI Development. Supeno joined a guerrilla force, while the Dutch soldiers continue to track him down. Several months after joining the guerrilla, Supeno and his party were finally caught at Ganter Village, Nganjuk, when the Dutch invaded the territory on the 24 February 1949. After he was caught, the Dutch forced him to squat as they interrogated. They asked him over and over who he is, while he insists that he is a local from the village, since he was looked and dressed like the locals. While the Dutch continued to interrogate him, he refused to give up any information and continued to remain silent. Finally the Dutch soldier put a gun against his temple, to intimidate him even further. When he stayed firm, without fear in his eyes, they pulled the trigger and executed him on the spot, along with six other members of the guerrilla. Supeno was then buried in Nganjuk. A year later, his tomb was transferred to TMP Semaki, Yogyakarta.
WIKI
Talk:List of The Penguins of Madagascar episodes How to manually check listings by U.S. Copyright Office At present, four of the episode titles listed on the "Unaired" section are cited to the website of the United States Copyright Office. Being that the source is the U.S. federal government, its records are reliable. However, often the website times out and will not allow direct access to the exact URL provided in the citations, so I will post here the steps to manually verify that an episode is indeed listed by them at any given time. * 1. Access the "Search Records" section of www.copyright.gov (or just click here to go that section directly). * 2. Click on "Search the Catalog" on the center-left of the page. * 3. Select the "Other Search Options" tab. * 4. Type the words "Penguins of Madagascar" into the topmost "Search for" field. Do not place quotation marks around those words. Select the "as a phrase" option to the immediate right of the field instead. * 5. Click on "Begin Search." * 6. If done correctly, you should now be on a page titled "Public Catalog." Results of the search should be listed as blue links below, 25 results per page. If the particular title you are searching for is not listed there, proceed to the next page(s) by clicking on "next" and looking there. All steps in this process are accurate (and tested by me) as of August 1, 2010. --Sgt. R.K. Blue (talk) 05:08, 1 August 2010 (UTC) Writers Can we please add writers to this episode list? Many others do that all the time. — Preceding unsigned comment added by DreamWorksFan (talk • contribs) 16:04, 11 September 2012 (UTC) Unaired episodes Why are the unaired episodes called unaired episodes? I mean, haven't them aired in USA? Because I've seen them for a few times on my TV, tho I'm not living in the USA. What's wrong with this? Xariesett (talk) 21:15, 1 February 2014 (UTC) * They're called unaired episodes because they haven't aired in the United States. I suppose, though, that it's somewhat of a misnomer to refer to them as unaired if they've aired overseas. Cyphoidbomb (talk) 21:21, 1 February 2014 (UTC) Raising My Hand Here Who owns the DVD release rights of this series? Austin012599 (talk) 17:40, 28 January 2019 (UTC) Episode order While the episodes did release out of order and often premiered only one 11 minutes episode, i think they should be more organized as a half hour with an A and B, since that's how they were produced according to the production codes and that's how paramount+ orders them VeryFirst (talk) 21:15, 9 November 2023 (UTC)
WIKI
Offline C/C++ Development With The Micro:bit Written by Harry Fairhead    Friday, 19 February 2016 Article Index Offline C/C++ Development With The Micro:bit Using NetBeans Adding a dependency on the microbit library You could start populating the source folder with whatever program you wanted to write, but an micro:bit program has a dependency on the microbit library which needs to be added. How this is done is slightly different from installing a standard mbed dependency. At the moment the microbit library isn't hosted by mbed and so you have to download it from its github repository. However, before we can add any dependencies we have to set the target for the project. In principle you only have to do this once for any yotta session, but in practice you might find that it gets forgotten or overwritten. For the micro:bit you set the target using: yotta target bbc-microbit-classic-gcc This adds a yotta_targets directory with some files that are needed for the target. device   After this you can add the dependency to the microbit library: yotta install lancaster-university/microbit This might take a few minutes because the library is downloaded from GitHub.  After it is complete you will see a module folder has been added to the project: module   This contains the code for the libraries you might want to use in your programs: libs   At this point you can build the project. If you plan to stay with yotta and use a simple editor to create your C/C++ files then this is how you will build your application each time. If you plan to move to an IDE such as NetBeans then the IDE will make use of the ninja files created to build your program in the future.  So we just need to use yotta to build the project. The problem is that there are no files in the source or test folders and yotta will simply ignore any empty folders in the build. To give the system something to build we need to add a .cpp file in the source folder.  Use any editor to add something trivial like: #include "MicroBit.h" MicroBit uBit; int main() {  uBit.init();  uBit.display.scroll("NEW PROGRAM");  release_fiber(); } and store the result as main.cpp or any name you care to use.  Now we can build and test the program using: yotta build If you watch what happens you will see the program build and it will tell you that the build files have been written to the  build/bbc-microbit-classic-gcc directory int he project. The important part is that you will find the hex file in the directory:  pulse\build\bbc-microbit-classic-gcc\Source The file that you need to download to the micro:bit is pulse-combined.hex and not the pulse.hex file. If you can't find a .hex file then check the messages produced by yotta and you will probably find that srec_cat.exe is mentioned as missing. See the instructions given earlier about obtaining and installing srecord You should be able to see the "NEW PROGRAM" message scroll past.  This is all you need to do. You can now edit and add .cpp files to the source directory. If you need to add other dependencies then use the install command. Each time you use the build command new cmake and ninja files are generated so you can keep things up-to-date but also note that there is no point in editing any of the cmake or ninja files.  To summarise: To create a project first create a new folder and make it the current directory. To create the project folders and basic files use:  yotta init To target a project for the micro:bit use: yotta target bbc-microbit-classic-gcc To install the essential dependencies to run your new project use: yotta install lancaster-university/microbit To install any other dependencies use the same command but change the name of the module or GitHub project you want to include. Add at least one .cpp file to the source folder and to the test folder if you want to construct tests. To build the project use: yotta build The hex file you need to download will be found in  project folder\build\bbc-microbit-classic-gcc\Source and it will be called project-folder-combined.hex Using NetBeans While you can use the yotta route to building your programs, it is fairly easy to use an IDE such as NetBeans or Eclipse to make your job easier. The description here is for NetBeans, but getting Eclipse to work follows the same route.  It is assumed that you have yotta installed and working and have built a micro:bit program using yotta. You do not have to run it, just build it, unless you want to check that everything is working.  It is also assumed that you have NetBeans for C/C++ projects installed and working.  You need to add the yotta directory to the path so that it can be found automatically by the build process.  In the case of Windows add c:\yotta to the existing path.  Install Make If you are working with Windows you also need to download and install a version of make that works under Windows. You can get this by installing cygwin or mwin but the simplest way is to download GNU make for Windows from:  http://gnuwin32.sourceforge.net/packages/make.htm Simply install it using the setup program and the default settings. Set up Tool Collection Your first task in configuring NetBeans is to set up the tool collection. The ARM cross compilers that you need should be already set up as part of the yotta installation. To specify where they are you need to run NetBeans and use the command Tools,Servers. If this is a new installation of NetBeans and you haven't created any C++ projects yet then the Server window might take some time to list C/C++ Build Hosts - wait for a few minutes.  Navigate down to C/C++ Build Hosts and expand the localhost node. Right click on ToolCollections under localhost and select add New Tool Collection.  In the dialog box that appears set the base directory to: C:\yotta\gcc\bin This is where the compilers are stored, but NetBeans probably won't recognize them. We could create a new tool set definition but it is easier just to ignore the warning and press on. To unlock the dialog you need to select one of the other compiler set types, say cygwin, and then set it back to unknown and you will find you can enter a name for the tool set.  toolset1 You now have to fill in the details of where to find the compilers etc manually as NetBeans didn'ta automatically locate them: • C Compiler C:\yotta\gcc\bin\arm-none-eabi-cpp.exe • C++ Compiler C:\yotta\gcc\bin\arm-none-eabi-g++.exe • Assembler C:\yotta\gcc\bin\arm-none-eabi-as.exe • make  C:\Program Files (x86)\GnuWin32\bin\make.exe • Debugger  C:\yotta\gcc\bin\arm-none-eabi-gdb.exe Not all of these are required and you might have to change the directories depending on where things were installed.  toolset2   The final step is to make sure that c:\yotta is in the path. To do this right click on This PC, select properties and select Advanced system settings. In the dialog box that appears click the  Environment Variables button and edit Path in the System Variables list. Add c:\yotta; to the start. Note: there are other yotta directories already in the path but you will still need to add c:\yotta.    Import the Project With the tool collection specified we can now import the project we created using yotta. Simply use the command File,New Project and select Project With Existing Sources:  newproject   Finally navigate to the project directory  \build\bbc-microbit-classic-gcc and import the project:   importprog   It takes time for the project to import, but when it has you can try to build it. In many cases you will see the message: ninja: no work to do. because all of the files are up-to-date following the clean rebuild NetBeans has just performed. To give it a good test you need to edit the C++ source file and then rebuild. Alternatively you could try another full clean build but this will recompile the library so it is slow.    projecttfiles   If you get an error message to the effect that ninja.exe cannot be found then you are missing c:\yotta in the path and you need to add it - see earlier. If you change the path variable you will need to restart NetBeans for it to have any effect.  You can now edit the source file and add files to the project and in most cases the build will compile the changes. Notice that you cannot use the Run command as NetBeans has no idea how to run the file that it compiles. You need to use the Build or Clean Build commands - the "hammer" icons next to the green run icon.   You will find the hex file that has to be downloaded to the micro:bit in the usual directory project folder\build\bbc-microbit-classic-gcc\Source and it will be called project-folder-combined.hex  So in this case the directory is pulse\build\bbc-microbit-classic-gcc\Source and the file will be called pulse-combined.hex  If you need to add another dependency or make structural changes to the project then you need to return to using yotta to modify things. You usually have to build the project using yotta once before NetBeans notices the difference. The reason for this is that the changes are only put into the ninja files as part of a yotta build and NetBeans uses these to build your project.  The fact of the matter is that yotta is in charge of the project and NetBeans follows what it says.  From here you can explore other configurations and even automatic running of the project and debugging. microbiticon   More Information developer.mbed.org http://lancaster-university.github.io/microbit-docs/ Related Articles Getting Started With C/C++ On The Micro:bit The BBC Micro:bit Is An Mbed Device In C/C++  Commando Jump Game For The Micro:bit In Python  BBC Micro To micro:bit    To be informed about new articles on I Programmer, sign up for our weekly newsletter, subscribe to the RSS feed and follow us on, Twitter, FacebookGoogle+ or Linkedin   Banner Azul Reports On Java Migration 31/07/2024 As a reaction to changes in pricing and uncertainty over its policies, Java professionals are migrating away from Oracle and embracing open source JDKs in preference. Azul, the only company  [ ... ] Pgextensions Index For PostgreSQL 22/07/2024 pgextensions.org by DataCloudGaze is an online index of all PostgreSQL extensions that are available on all Cloud providers' managed instances. Why is that useful? More News   kotlin book   Comments or email your comment to: comments@i-programmer.info     Last Updated ( Sunday, 10 July 2016 )  
ESSENTIALAI-STEM
The Boston Tea Party: An Event of Great Historical Significance The Boston Tea Party of 1773 was a protest by American colonists against Britain and its policies which were seen as monopolistic and oppressive. This event had far-reaching consequences that would shape the future of the United States and the struggle for independence. The Immediate Cause Britain had imposed the Tea Act in 1773, which effectively granted them a monopoly on the sale of tea in the colonies. This angered the colonists, who saw it as an attack on their right to buy and sell goods without control from Britain. The Protest At Hand On the night of December 16th, a group of colonists boarded three sailing ships, which were carrying tea from Britain, and dumped their entire cargo of tea into the harbor. This was a highly visible and public act of defiance which showed that the colonists were determined to resist British rule. The Long-Term Consequences The Boston Tea Party was an important event in the history of the United States, as it served as a catalyst for further resistance and the struggle for independence. It was a key event in the lead up to the American Revolution, and helped to drive a wedge between Britain and the Colonies, eventually leading to the Declaration of Independence and the formation of a new nation. The Boston Tea Party was more than just a protest against Britain and its policies; it was a crucial event in American history that helped to shape the nation we know today. - The Boston Tea Party was a protest by American colonists against the Tea Act of 1773 and the monopoly it granted to Britain. - The protest was a highly visible act of defiance which demonstrated the colonists’ determination to resist British rule. - The event had far-reaching consequences, serving as a catalyst for the struggle for independence and eventually leading to the formation of the United States.
FINEWEB-EDU
Convert PDF to HTML with Customized Image Resolution in C# The regular monthly update Aspose.PDF for .NET 18.3 has been published and available for download. Like every new release, Aspose.PDF for .NET 18.3 includes fixes for issues reported in earlier release version(s) and in this release, we have also added some attractive and exciting features, in order to cater to the various scenarios. Since we always have been striving to provide a robust, stable and feature-rich release version, Aspose.PDF for .NET 18.3 includes new functionalities and enhancements. An overview of improvements and changes in this version of the API is given in the release notes section of API documentation. Convert PDF to HTML with Improved Image Quality In order to produce a better quality of images, when generating HTML from PDF document, you can use HtmlSaveOptions.ImageResolution property to the resolution of output images. This way the output HTML will contain better image quality. Following code snippet shows usage of ImageResolution property while converting PDF to HTML: Document document = new Document(myDir + "input.pdf"); string workingDir = Directory.GetCurrentDirectory(); string outputFilePath = Path.Combine(myDir, "output.html"); HtmlSaveOptions options = new HtmlSaveOptions(); options.ImageResolution = 300; options.PartsEmbeddingMode = HtmlSaveOptions.PartsEmbeddingModes.EmbedAllIntoHtml; options.RasterImagesSavingMode = HtmlSaveOptions.RasterImagesSavingModes.AsEmbeddedPartsOfPngPageBackground; options.LettersPositioningMethod = HtmlSaveOptions.LettersPositioningMethods.UseEmUnitsAndCompensationOfRoundingErrorsInCss; document.Save(outputFilePath, options); Add Repeating Column in Table in PDF In earlier version(s) of the API, you have been using adding repeating rows feature by setting RepeatingRowsCount property of Aspose.Pdf.Table Class. We have implemented adding repeating column functionality in Aspose.PDF for .NET 18.3. RepeatingColumnsCount property has been added to Aspose.Pdf.Table Class, in order to repeat the columns in tables, which are too wide to fit on a single page. You can check the following code snippet for an example of using RepeatingColumnsCount property: string outFile = GetOutputPath("40515.pdf"); // Added document // Added document Document doc = new Document(); Aspose.Pdf.Page page = doc.Pages.Add(); //Instantiate an outer table that takes up the entire page Aspose.Pdf.Table outerTable = new Aspose.Pdf.Table(); outerTable.ColumnWidths = "100%"; outerTable.HorizontalAlignment = HorizontalAlignment.Left; //Instantiate a table object that will be nested inside //outerTable that will break //inside the same page Aspose.Pdf.Table mytable = new Aspose.Pdf.Table(); mytable.Broken = TableBroken.VerticalInSamePage; mytable.ColumnAdjustment = ColumnAdjustment.AutoFitToContent; //Add the outerTable to the page paragraphs //Add mytable to outerTable page.Paragraphs.Add(outerTable); var bodyRow = outerTable.Rows.Add(); var bodyCell = bodyRow.Cells.Add(); bodyCell.Paragraphs.Add(mytable); mytable.RepeatingColumnsCount = 5; //comment out this or the top section to test if the table renders //page.Paragraphs.Add(mytable); //Add header Row Aspose.Pdf.Row row = mytable.Rows.Add(); row.Cells.Add("header 1"); row.Cells.Add("header 2"); row.Cells.Add("header 3"); row.Cells.Add("header 4"); row.Cells.Add("header 5"); row.Cells.Add("header 6"); row.Cells.Add("header 7"); row.Cells.Add("header 11"); row.Cells.Add("header 12"); row.Cells.Add("header 13"); row.Cells.Add("header 14"); row.Cells.Add("header 15"); row.Cells.Add("header 16"); row.Cells.Add("header 17"); for (int RowCounter = 0; RowCounter <= 5; RowCounter++) { //Create rows in the table and then cells in the rows Aspose.Pdf.Row row1 = mytable.Rows.Add(); row1.Cells.Add("col " + RowCounter.ToString() + ", 1"); row1.Cells.Add("col " + RowCounter.ToString() + ", 2"); row1.Cells.Add("col " + RowCounter.ToString() + ", 3"); row1.Cells.Add("col " + RowCounter.ToString() + ", 4"); row1.Cells.Add("col " + RowCounter.ToString() + ", 5"); row1.Cells.Add("col " + RowCounter.ToString() + ", 6"); row1.Cells.Add("col " + RowCounter.ToString() + ", 7"); row1.Cells.Add("col " + RowCounter.ToString() + ", 11"); row1.Cells.Add("col " + RowCounter.ToString() + ", 12"); row1.Cells.Add("col " + RowCounter.ToString() + ", 13"); row1.Cells.Add("col " + RowCounter.ToString() + ", 14"); row1.Cells.Add("col " + RowCounter.ToString() + ", 15"); row1.Cells.Add("col " + RowCounter.ToString() + ", 16"); row1.Cells.Add("col " + RowCounter.ToString() + ", 17"); } doc.Save(outFile); Miscellaneous As it is always recommended to use the latest release of our API’s, so we suggest you please download the latest release Aspose.PDF for .NET 18.3 and check following resources which will help you working with API:
ESSENTIALAI-STEM
SEMINAR: News From Muonic Atoms October 31 2014, 2:30pm -  Seminar room  Speaker: Aldo Antognini (ETH Zurich) Abstract : Muonic atoms are atomic bound states of a negative muon and a nucleus. The muon, which is the 200 times heavier cousin of the electron, orbits the nucleus with a 200 times smaller Bohr radius.  This enhances the sensitivity of the atomic energy levels to the nucleus finite size tremendously.  By performing laser spectroscopy of the 2S-2P transitions in muonic hydrogen we have determined the proton root mean square charge radius 20 times more precisely than previously obtained.  However, this value disagrees by 4 standard deviations from the value extracted from ''regular '' hydrogen spectroscopy and also by 6 standard deviations from electron-proton scattering data.  The variance of the various proton radius values has led to a very lively discussion in various fields of physics: particle and nuclear physics (proton structure, new physics, scattering analysis), in atomic physics (hydrogen energy level theory, fundamental constants) and fundamental theories (bound-state problems, QED, effective field theories).  The origin of this discrepancy is not yet known and the various (im)possibilities will be presented here.  Here we present also preliminary results of muonic deuterium and helium-ion (He-3 and He-4) spectroscopy, which beside helping to disentangle the origin of the observed ''proton radius puzzle'' also provide values of the corresponding nuclear charge radii with high accuracy. This knowledge open the way for enhanced bound-state QED test in regular atoms and provide benchmark for few-nucleon theories.   We use own and third-party cookies to improve our services by analyzing your browsing habits. If you continue browsing, we will consider that you allow us to use them. You can change the settings or get more information on our "Cookies policy". I accept cookies from this site.
ESSENTIALAI-STEM
User:Universal Life/Biervos Biervos is a word in Judaeo-Spanish meaning words. Below is a list of pages that serve as a multi-lingual dictionary, an aid to all Wikimedia projects in Judaeo-Spanish. * Biervos 1
WIKI
Steve Harris (actor) Steve Harris (born December 3, 1965) is an American actor. He has played Eugene Young on the legal drama The Practice, Detective Isaiah "Bird" Freeman on the NBC drama Awake, and Charles McCarter in Tyler Perry’s Diary of a Mad Black Woman. Early life Harris was born in Chicago, Illinois, the son of John Henry Harris, a bus driver and Mattie Harris, a housewife. He is the older brother of actor Wood Harris. He attended St. Joseph High School in Westchester, Illinois, a private school with a reputation for developing star athletes. Harris was a running back, and later played linebacker for Northern Illinois University, where he studied drama. His athletic career was cut short due to a torn ligament in his ankle. After graduating from Northern Illinois University in 1989, Harris obtained a master's degree in acting at the University of Delaware. Career Harris appeared on Law & Order and earlier had a role in Homicide: Life on the Street 's pilot. In 2006, he appeared in the now-cancelled TV series Heist. He also appeared in an episode of Grey's Anatomy. He appeared in several episodes of New York Undercover. He has appeared in a number of films including; Quarantine, Tyler Perry's Diary of a Mad Black Woman, Bringing Down the House, The Rock, The Mod Squad, Takers, and Minority Report. Harris starred in actress Regina King's directorial debut Let The Church Say Amen which was adapted from ReShonda Tate Billingsley's 2005 best selling novel. The film premiered on Black Entertainment Television (BET) in 2013. He appeared in the TNT show Legends, which aired on TNT from August 13, 2014 to December 28, 2015, playing Nelson Gates, the boss of troubled FBI agent Martin Odum (Sean Bean).
WIKI
Equus alaskae Equus alaskae was a Pleistocene species of horse, now extinct, that inhabited North America. Fossils found from Alaska to Mexico have been identified as Equus alaskae, and it has been referred to as the most common equid in the southwest of North America. The species was medium to small-sized, around the dimensions of a cowpony.
WIKI
Spring Boot Webflux: The functional approach With the world moving towards the reactive and functional ways of programming, Spring also turned its steps on the same path. This leads to the origin of Spring Webflux. To understand the functional approach towards it, we first need to understand, what is Spring Webflux exactly? Before Spring version 5.0, the original web framework included in the Spring Framework, Spring Web MVC, was built for the Servlet API and Servlet containers. This imperative style of programming was easy. But, this was blocking. With Spring 5.0, there was a new reactive-stack web framework introduced, known as Spring Webflux. It does not require the Servlet API, is fully asynchronous and non-blocking, and implements the Reactive Streams specification through the Reactor project. Spring WebFlux comes in two flavors: functional and annotation-based. The focus of this blog will be towards the functional approach. Let’s try to understand it with the help of a User application. To add Spring Webflux, add the following dependency in your spring project pom.xml. <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-webflux</artifactId> </dependency> Let’s create a model class for User. User.java @Getter @FieldDefaults(makeFinal = true, level = AccessLevel.PRIVATE) @Builder(toBuilder = true) @AllArgsConstructor @ToString @Table("user") public class User { @PrimaryKey int id; String name; String email; } Now, we have to define UserRouter class to list our routes for the application. UserRouter.java @Configuration public class UserRouter { @Bean public RouterFunction<ServerResponse> userRoutes(UserHandler userHandler) { return RouterFunctions.route() .path("/users", builder -> builder .POST("", accept(MediaType.APPLICATION_JSON), userHandler::createUser) .GET("/{id}", accept(MediaType.APPLICATION_JSON), userHandler::getUser) .GET("", accept(MediaType.APPLICATION_JSON), userHandler::getUsers)) .build(); } } Router functions are evaluated in order: if the first route does not match, the second is evaluated, and so on. Therefore, it makes sense to declare more specific routes before general ones. Note that this behavior is different from the annotation-based programming model, where the “most specific” controller method is picked automatically. Our router needs to have a handler defined to perform the requested functionality. Now, we need to create a UserHandler for handling the incoming requests. UserHandler.java @Component public class UserHandler { private final UserRepository userRepository; @Inject public UserHandler(UserRepository userRepository) { this.userRepository = userRepository; } public Mono<ServerResponse> createUser(ServerRequest request) { Mono<User> user = request.bodyToMono(User.class); return ServerResponse.ok().contentType(MediaType.APPLICATION_JSON) .body(fromPublisher(user.flatMap(userRepository::save), User.class)); } public Mono<ServerResponse> getUser(ServerRequest request) { final int userId = Integer.parseInt(request.pathVariable("userId")); final Mono<User> user = userRepository.findById(); return user.flatMap(usr -> ok().contentType(APPLICATION_JSON) .body(fromPublisher(user, User.class))) .switchIfEmpty(notFound().build()); } public Mono<ServerResponse> getUsers(ServerRequest request) { return ok().contentType(APPLICATION_JSON) .body(fromPublisher(userRepository::findAll, User.class)); } } ServerRequest and ServerResponse are immutable interfaces that offer JDK 8-friendly access to the HTTP request and response. Both request and response provide Reactive Streams back pressure against the body streams. The request body is represented with a Reactor Flux or Mono. The response body is represented with any Reactive Streams Publisher, including Flux and Mono. The UserRepository interface can be defined in the following ways: UserRepository.java public interface UserRepository extends ReactiveCrudRepository<User, Integer> { Flux<User> findAll(); Mono<User> findById(int id); Mono<User> save(User user); } Here, our UserRepository is extending ReactiveCrudRepository which follows the repositories programming model. The repositories programming model is the most high-level abstraction Spring Data users usually deal with. They’re usually comprised of a set of CRUD methods defined in a Spring Data provided an interface and domain-specific query methods. It belongs to “org.springframework.data.repository.reactive”. I am here using Cassandra as a database for my application. The DB configurations are not needed to be defined separately. We can have them served in the application.properties. application.properties cassandra.contactpoint.one = ${CAS_CONTACT_POINT_ONE:127.0.0.1} spring.data.cassandra.contact-points = ${cassandra.contactpoint.one} spring.data.cassandra.port = ${CAS_CONTACT_POINTS_PORT:9042} spring.data.cassandra.keyspace-name = ${CASSANDRA_KEYSPACE:user_test} You can define your UserApplication class in the following ways. This will be the starting point of your application. UserApplication.java @SpringBootApplication public class UsersApplication { public static void main(String[] args) { SpringApplication.run(UsersApplication.class, args); } } You can run your new service by executing the following command from the root directory of your project: mvn spring-boot:run The entire code for the above user application can be found at this GITHUB repository. That’s all for this topic Spring Webflux: The functional approach. If you have any doubt or any suggestions to make please drop a comment. Thanks! References: Spring Official Doc on Webflux Knoldus-Scala-Spark-Services Written by  Vinisha Sharma is a software consultant having more than 6 months of experience. She thrives in a fast pace environment and loves exploring new technologies. She has experience with the languages such as C, C++, Java, Scala and is currently working on Java 8. Her hobbies include sketching and dancing. She believes Optimism and a learning attitude is the key to achieve success in your life Knoldus Pune Careers - Hiring Freshers Get a head start on your career at Knoldus. Join us!
ESSENTIALAI-STEM
Portal:Tonga Works * China Tonga Communique Establishing Diplomatic Relations * An Account of the Natives of the Tonga Islands (1818)
WIKI
Nissan and Renault Face Leadership Crisis After C.E.O. Is Jailed During the nearly two decades he dominated the alliance of Renault and Nissan, Carlos Ghosn achieved something of a miracle in the auto world. He managed to get the French and Japanese companies to act as one entity so both could prosper in an industry where scale is everything. Now that Mr. Ghosn is in a Tokyo jail, and both he and Nissan face criminal charges of illegally underreporting his income, the flaws in that structure have become obvious. Mr. Ghosn’s fall has left the unlikely Franco-Japanese union in limbo and revealed how much of its success revolved around his forceful personality. Mr. Ghosn was invested with more powers and ruled far longer than is typical for large, publicly traded corporations. Mr. Ghosn had not cultivated a clear successor, and that leaves the alliance’s survival in doubt: Neither Nissan nor Renault has a plan for preserving the arrangement that has been a juggernaut, accounting for sales of 10.6 million autos last year. Nissan decided to investigate Mr. Ghosn without giving Renault a heads-up. “They need a leader,” said Christopher Richter, deputy head of Japan research at CLSA, an investment and brokerage group. “The alliance is in a crisis right now and there are hard decisions that need to be made.” Nissan’s board will meet on Monday to appoint a replacement for Mr. Ghosn, who had already been removed as chairman, according to a person with knowledge of Nissan’s internal investigation. At some point after that, it will set a date for a shareholders meeting to vote to remove Mr. Ghosn from the board altogether. The board is also expected to propose a shareholders resolution to remove Greg Kelly, a former Nissan human resources manager who was arrested with Mr. Ghosn, the person said. Renault has stuck by Mr. Ghosn amid tensions between it and Nissan. The Renault board said on Thursday that an internal inqurity into Mr. Ghosn’s compensation had uncovered no irregularities, and that he would remain chief executive. Renault said its lawyers would review information recently handed over by Nissan related to the allegations against Mr. Ghosn, but that the French carmaker still did not “have information concerning Carlos Ghosn’s defense.” According to the person with knowledge of the investigation, Nissan and Renault are discussing a separate, independent inquiry into the activities of Renault-Nissan BV, the entity in the Netherlands that oversaw the alliance, and whether Mr. Ghosn wrongly used it as a vehicle for a deferred-compensation plan. That investigation could complicate efforts to fill the alliance’s leadership vacuum. A spokesman for the alliance declined to comment. Nissan is deeply entangled in the Ghosn inquiry in Japan. It alerted prosecutors to possible wrongdoing by Mr. Ghosn based on allegations from a whistle-blower. This week it found itself charged with violating financial laws with Mr. Ghosn. The Tokyo Stock Exchange last month opened its own investigation into Nissan, examining its internal management controls and securities filings. Since the arrest in November, Nissan’s stock has slipped close to 9 percent. “What is actually happening now is the worst case of all messes,” said Nicholas Benes, a representative director at the Board Director Training Institute of Japan, a nonprofit organization specializing in corporate governance. “The company has been indicted and has the scarlet letter of criminal stamped on its forehead. Who’s thinking about shareholders here?” Before his fall, Mr. Ghosn boasted that he was the only person to serve as chief executive of two Fortune Global 500 companies — Renault and Nissan — simultaneously. He was also chairman of the Renault-Nissan Alliance, where until the rules were changed last year he had six votes on its board while the other nine members had one each. At Nissan, where he was chairman until being removed last month, Mr. Ghosn had unusual clout in determining the compensation of top executives, according to a governance report issued by Nissan in July. He made the ultimate decision about what to pay the entire board. Typically that authority is vested in a company’s compensation committee. The Renault-Nissan Alliance, which since 2016 has also included Mitsubishi Motors, was studied at business schools as a unique example of how to achieve many of the benefits of a merger without the complications of actually merging. As Mr. Ghosn’s star rose, he took on a more active public and social life, attending the World Economic Forum in Davos, Switzerland, and making speeches and appearances at a variety of conferences. He spent less time on site at Nissan and Renault factories and relied more on senior managers to fix problems. Yet there were tensions. Renault is Nissan’s largest shareholder, with 43 percent of the shares. Renault shareholders have long complained that Nissan lacked adequate governance procedures and independent directors who could question decisions, said Pierre-Henri Leroy, the head of Proxinvest, a French shareholder advisory group. Renault’s board and shareholders for years sought to rein in executive compensation, a task that was influenced by the French government, which holds a 15 percent stake in Renault. “Mr. Ghosn was more surveilled in France. We were always on his back,” said Mr. Leroy, whose advisory group frequently criticized Mr. Ghosn’s efforts to raise his own pay. “They weren’t on his back in Japan.” Renault’s dominance of Nissan allowed Mr. Ghosn to increase power, a point that Hiroto Saikawa, the Nissan chief executive, complained about publicly after Mr. Ghosn’s arrest. Potential successors at Renault fell by the wayside over the years, a sore point in France for Renault shareholders. In 2011, Patrick Pelata, Renault’s chief operating officer and a close adviser to Mr. Ghosn who was widely viewed as a potential successor, left the company after a political storm over Mr. Ghosn’s handling of an internal industrial espionage case. Two years later, Carlos Tavares, the chief operating officer at Renault who was also considered a successor, stepped down after he told Bloomberg News in an interview that it wasn’t possible for him to advance with Mr. Ghosn there. Mr. Tavares went to PSA, the maker of Peugeot and Citroën cars and a Renault rival. “The succession line was not seriously managed at Renault,” said Mr. Leroy, the shareholder activist. “For years we were worrying that Mr. Ghosn would take the opportunity to entrench himself in Renault, Nissan and the entire thing, and that’s exactly what happened.” In retrospect Renault-Nissan suffered from what is known in business school jargon as a “key person problem,” said Christoph Schalast, a mergers and acquisitions lawyer in Frankfurt who also teaches at the Frankfurt School of Finance & Management. “Everything depends on one key person,” Mr. Schalast said. Mr. Ghosn’s power and unusually long tenure may have prevented the alliance from evolving as Nissan became by far the bigger and more profitable partner, yet Renault exercised more control, a situation that some in Nissan grew to resent, according to interviews with three former Nissan employees. Now that the Ghosn era appears to be ending, Mr. Schalast said, Nissan and Renault “should establish a new, more cooperative management team which is not dependent on one person.” In April 2017 Mr. Ghosn ceded some power on the alliance board. The rules were changed to give four votes to Mr. Ghosn and four votes to Mr. Saikawa, the Nissan chief executive, according to regulatory filings by Renault. The other eight members — four from Renault and four from Nissan — had one vote. If there was a tie, Mr. Ghosn decided. But Mr. Ghosn was also leading an effort to push the two companies closer together. In September 2017 the Renault-Nissan Alliance announced a plan to save an additional €5 billion a year, or $5.7 billion, by cooperating even more closely on buying parts, designing motors and other components, and sharing manufacturing expertise. According to the plan, almost all of the vehicles produced by Nissan, Renault and Mitsubishi would be based on four so-called platforms, combinations of chassis, engines and transmissions that are largely invisible to consumers. Two-thirds of the vehicles would use common engines, up from one-third in 2016. Sales would rise to 14 million vehicles a year by 2022 from 10.6 million in 2017. While Mr. Ghosn insisted that the companies would retain their autonomy, the debate continued. If Nissan provided damaging information about Mr. Ghosn to prosecutors as part of an effort to dethrone him — as many Ghosn sympathizers believe — it backfired badly. With Mr. Ghosn in jail, the most complicated problem for the alliance is that it simply has no leader. “You have major technological change coming that threatens and is really an existential crisis for any automaker out there,” Mr. Richter of CSLA said. “While these two companies are fiddling over who should run it or who is feeling aggrieved or all these petty differences, Rome is burning.”
NEWS-MULTISOURCE
Can't fix your car problem on your own? Ask a live mechanic! windshield crack What to Do When You Get a Car Windshield Crack: Your Ultimate Guide A cracked windshield can be one of the most frustrating auto repairs. When you’re driving down the highway and you hear the sound of a rock hitting your windshield, you cringe. It’s one of those things that you can’t prevent. And it can be a costly fix. If a rock leaves a chip in your windshield, you might be able to have it repaired without replacing the glass. But if you watch a crack slowly grow across your windshield, it’s time for a repair. While some car repairs are DIY, a cracked windshield is not a repair you should do yourself. Here is the ultimate guide for what to do with a windshield crack. Why Fix a Crack? A cracked windshield is a safety hazard. Not only does a large windshield crack impair how well you can see while you drive, but the crack in the glass also weakens the strength of your windshield. A car’s windshield protects you from wind, rain, and objects that hit your car. It’s frustrating when that rock hits your windshield and causes damage. But it would be much worse for that rock to break through a cracked windshield and hurt you or a loved one inside the car. Act Fast You might think a small crack is not a big deal. It can wait. But with most cracks in a windshield, they grow over time. Heat and other weather conditions cause a crack to spread across the windshield. When you first see a crack, call someone to repair it right away. If it’s a small crack, there’s a good possibility a fill will do the job. But as the crack grows, repair is no longer an option. You’ll need a full windshield replacement. Small Fixes Save Money If you’re dealing with a chip or a small crack, you’ll save money on a quick repair. Waiting and allowing the crack to grow gets expensive. In general, a crack smaller than three inches or a chip smaller than a quarter is the industry standard for repair. Hold a dollar bill up to a crack in the windshield. If the crack fits underneath the bill, there’s a good chance a repair will work. Related Reading:  The 8 Most Common Harley-Davidson Problems & How to Handle Them Check your insurance policy. If it covers windshield repair, contact your insurance agency and file a claim. They might require you to use a specific repair company. But if they pay for it, you’ll save money that way. But if windshield repair falls under your deductible or your insurance doesn’t cover it, shop around for the best price with a repair service you trust. Many times, repairing a small chip or crack is not an expensive repair. You’ll find it’s less money out of pocket than paying your full deductible. That’s why it’s important to act fast. Don’t put off a repair. What Is Crack Repair vs. Windshield Replacement? If you’re able to repair a chip or crack in your windshield, you won’t need a new windshield. A good repair job saves you from a full replacement. Crack or Chip Repair A repair technician injects a special resin into the damaged area of your windshield. Windshields are a thin layer of plastic between two layers of glass. Pressure and heat fuse the three layers together to form a windshield. Injecting resin into the hole or a small crack helps strengthen the layers of the windshield. The repair job includes buffing the chip or crack after it’s filled. The damaged area won’t be perfect. But it will blend into your windshield. With a good repair, the crack no longer blocks your sight through the windshield. And the structure of your windshield will safely hold. Windshield Replacement If the crack is too large or the chip is too big, you’ll need a full windshield repair. When a crack is too large, filling it with resin is not a good solution. The windshield is too weak for a safe repair at that point. When a technician replaces your cracked windshield, they replace it with the size and shape that fits your car. Related Reading:  The Top 5 Best Off-Road Vehicles of 2019 The technician removes the damaged windshield. They’ll also clear out any sealant and debris from where the windshield sits in your car. While a new windshield won’t be exactly the same as your factory windshield, the new one should fit snugly and seal properly. A top-notch windshield repair technician will also salvage any registration stickers from your old windshield, if possible. Finding a Repair Shop Shop around to find the best windshield repair or replacement service. It’s tempting to go for a cheap repair. But don’t trust the lowest price to save a few dollars. Look online or ask a friend for a good windshield repair or replacement recommendation. Get a few estimates, then compare. Make sure the shop uses factory-quality auto glass. Replacement glass should be the same or better than the original windshield. Avoid cheap auto glass. With a cheap replacement, your windshield becomes more susceptible to another crack or chip the next time a rock hits it. Mobile Repair Comes to You It’s a hassle to find time in your day to take your car in for a windshield repair. But there are good options for mobile repair. A repair service like this company orders your new glass. Then they schedule a time and send a technician to work on your car while you’re at work or home with the kids. Take Quick Action for a Windshield Crack In 2018, the auto glass repair industry was a $5 billion industry. But there’s no need for you to pay more toward that growing industry than you should. Save money by acting quickly when you see a windshield crack. Stop a small crack or chip from growing into a more expensive repair. Schedule a repair as soon as you see damage to your windshield. Remember, owning a car means you are legally liable to keep it in safe working condition. Read here about the importance of maintaining a safe vehicle for yourself and others on the road.
ESSENTIALAI-STEM
Wikipedia:Articles for deletion/Werster The result was delete. Lankiveil (speak to me) 12:36, 5 February 2014 (UTC) Werster * – ( View AfD View log Stats ) Non-notable gamer, reliable sources listed are about an event and do not mention this person. -- JamesMoose (talk) 17:54, 28 January 2014 (UTC) * Delete-non-notable individual. red dog six (talk) 00:42, 29 January 2014 (UTC) * Note: This debate has been included in the list of video game-related deletion discussions. • Gene93k (talk) 00:53, 29 January 2014 (UTC) * Note: This debate has been included in the list of Australia-related deletion discussions. • Gene93k (talk) 00:53, 29 January 2014 (UTC) * Note: This debate has been included in the list of Sportspeople-related deletion discussions. • Gene93k (talk) 00:53, 29 January 2014 (UTC) * Speedy Delete - not notable recreated page. ''' Flat Out let's discuss it 05:55, 29 January 2014 (UTC) * Delete. Does not seem notable. Custom WP:VG/RS Google searches don't turn up anything that looks relevant. NinjaRobotPirate (talk) 06:01, 29 January 2014 (UTC) * Delete non-notable person. I was intending to A7 it, but the claim of world records it enough that I think we should let the AFD run its course. Callanecc (talk • contribs • logs) 07:39, 29 January 2014 (UTC) * Delete Non-notable and no mention in sources. 7 09:37, 29 January 2014 (UTC) * Delete as non-notable person not passing WP:GNG with multiple reliable independent in-depth sources. The key point is "in-depth" rather than passing mentions in other content. Although I am familiar with their work and the importance in the niche field of video game speedrunning, there is no GNG-worthy coverage that I can find. — HELL KNOWZ ▎TALK 13:54, 29 January 2014 (UTC) * Delete - As an avid follower of many speedrunners and GDQ, I can't find this speedrunner to be notable enough to have an article; one of the only ones that has received enough significant media coverage would be Cosmo Wright. ☺ · Salvidrim! · &#9993; 14:34, 29 January 2014 (UTC) * Delete: the subject does not fall within Wikipedia's notability guidelines. Nick Pascal (talk) 21:34, 29 January 2014 (UTC) * Delete: no real coverage about Werster appearing in any reliable sources.AioftheStorm (talk) 03:20, 30 January 2014 (UTC) * Comment/suggestion: Perhaps a "list of notable speedrunners" (or livestreamers in general) should be made, similar to List of YouTube personalities. I'm not sure if there are any other speedrunner stubs/deleted articles that could be added to it, but it might be worth having as there are quite a few notable figures in the speedrunning community, and the community in general has been growing a lot in the past year or so. EvilHom3r (talk) 07:01, 1 February 2014 (UTC)
WIKI
User:FML09/NGOs in West Africa/MathewLJohnson Peer Review General info * Whose work are you reviewing?Assigned to: FML09, Fisheralicia0 * Link to draft you're reviewing * https://en.wikipedia.org/wiki/User:FML09/NGOs_in_West_Africa?veaction=edit&preload=Template%3ADashboard.wikiedu.org_draft_template * Link to the current version of the article (if it exists) * NGOs in West Africa Evaluate the drafted changes This is a good outline. The scope is quite broad, but there is a large content gap to fill. I like the structure and organization of the article -- splitting up national and international organizations. Additionally, the writing is clear and neutral; and the sources seem reliable. There are a lot of organizations listed. A question I would ask is if it is better to give a lot of detail to a few organizations or just a bit of detail to many? I admire the scope of the project, but it does seem to be a lot -- just talking about the presence and role of human rights organizations in West Africa seems to be a hefty task. While I admire the ambitions behind it, this seems like it could use a bit more of a narrow focus. Going through all of these organizations and talking about the history, the prominent figures, and their actions is going to take a lot of time. Nevertheless, great work!
WIKI
International Tower Hill Mines Announces Results from 2025 Annual General Meeting of Shareholders VANCOUVER, BC, June 5, 2025 /CNW/ - International Tower Hill Mines Ltd. (the "Company") - (TSX: ITH) (NYSE American: THM) announces the results from its 2025 Annual General Meeting of shareholders held in Vancouver, B.C. on Wednesday, June 4, 2025 (the "Meeting"). At the Meeting, the Company's shareholders elected the following individuals as directors of the Company, with all receiving a majority of the votes cast, as follows: The shareholders re-appointed the current auditors, Davidson & Company LLP, Chartered Accountants, as auditors of the Company for the fiscal year ending December 31, 2025 and authorized the directors to fix their remuneration. The shareholders approved (98.45% majority), on an advisory non-binding basis, the compensation paid to the Company's executive officers ("Say on Pay") and a 99.14% majority of the shareholders voted in favor of holding the Say on Pay vote every year. In light of the results, the Company will continue to hold the Say on Pay vote every year. The detailed proxy voting on all resolutions submitted to the shareholders at the Meeting is contained in the "Report of Voting Results" for the Meeting which will be available under the Company's profile on SEDAR+ and on the Company's website or upon request by contacting the Company at (855) 428-2825. About International Tower Hill Mines Ltd. International Tower Hill Mines Ltd. controls 100% of the Livengood Gold Project located along the paved Elliott Highway, 70 miles north of Fairbanks, Alaska. On behalf of International Tower Hill Mines Ltd. (signed) Karl L. Hanneman Chief Executive Officer This news release is not and is not to be construed in any way as, an offer to buy or sell securities in the United States. View original content:https://www.prnewswire.com/news-releases/international-tower-hill-mines-announces-results-from-2025-annual-general-meeting-of-shareholders-302474698.html SOURCE International Tower Hill Mines Ltd. View original content: http://www.newswire.ca/en/releases/archive/June2025/05/c3836.html
NEWS-MULTISOURCE
Nielson, Jason by lev17755 VIEWS: 8 PAGES: 2 Nielson, Jason Kurasoin B Analogues Merritt Andrus, Department of Chemistry and Biochemistry During the past year, I have actively worked at developing analogues of the anti-cancer agent kurasoin B. I have included the synthetic path that we have followed during the past year as a reminder of the proposed plan I submitted. Included in the general synthetic pathway are the percent yields that I was able to obtain for each reaction. 134% yield 73% yield 2 86% yield 98% yield 80% yield 72% yield 2 59% yield 1 84% yield 81% yield 54% yield I was fairly successful at following this synthesis throughout the year. When we reacted intermediate 1 and 2 we were able to get one of the enantiomers in approximately an 85% excess. Only the enantiomer we synthesized is expected to have anticancer potential, thus it was very exciting to achieve such a high percentage of selectivity. These last few steps do not have percent yields included with them because these last steps have been completed for only a portion of the analogues. Some problems did arise throughout the year that I had to resolve in order to continue progressing on the project. I had to experiment with the concentrations of solvent and substrate in order to get acceptable yields. Furthermore, the characterization of some of the intermediates in the project was difficult as some of the substituents of the indole substrate backbone are quite labile and thus were difficult to observe in the mass spectrometer. However, I was able to rely primarily on the NMR data I obtained in order to characterize the compounds. During the past year, I have also worked on developing a method to generate a wide array of indole substrates (compound 2 in the synthetic pathway). I attempted several series of experiments with the aim of generating the indole substrate I needed to create additional analogues of kurasoin B. Below is the path I attempted to follow. First, I attempted reactions with the iodoaniline and alkyne substrate. These reactions were all successful in creating the desired indole. However, iodoanilines can be rather expensive, so I attempted to create the same indole with aminophenol. Aminophenols are quite cheap and would provide a great alternative to the iodoanilines. I thought the aminophenols would work well to create the indole substrate if I was able to make the hydroxyl group a better leaving group with tosyl chloride or triflic anhydride. I was successful in converting the aminophenol substrate to a tosylated aminophenol and to the triflated aminophenol. However, neither the tosylated aminophenol nor the triflated aminophenol reacted very well with my alkyne substrate to produce the desired indole. I attempted many different conditions, but ended up setting this part of the project to the side due to a lack of productive results. During this past year, I successfully incorporated some unique elements of phase-transfer catalysis to develop analogues of kurasoin B. The phase-transfer catalysis methodology that I employed allowed me to generate the analogues in an 85% enantiomeric excess, indicating that over 85% of the material produced could serve as a viable anti-cancer agent. Because of the high level of enantiomeric selectivity in this synthesis, the pathway I have used to produce analogues of kurasoin B is a plausible pathway for producing these compounds if they perform well in the in vitro and in vivo assays that will be conducted in the very near future. To top
ESSENTIALAI-STEM
The CodePen Project Editor is designed to let you process your files without any tooling setup on your part, so you can get started building with your favorite languages right away. There are a few different ways you can choose how your project is processed. Choosing a processor by using a compatible file extension For most of our preprocessors, you can turn on processing for a file by giving it the appropriate file extension. The Project Editor will automatically generate a ‘processed’ version of the file for you. A SCSS file and its processed file These are the preprocessors that the Editor currently supports, and their file extensions. Language/ProcessorExtensionOutput type Markdown.mdHTML Pug.pugHTML Nunjucks.njkHTML Less.lessCSS Sass (SCSS syntax).scssCSS Sass (indented syntax).sassCSS Stylus.stylCSS CoffeeScript.coffeeJavaScript TypeScript.tsJavaScript For files that are in a preprocessor syntax, but you do not want to get processed, prefix the file name with an underscore (_). Sometimes, you may not want every file with a particular file extension to get processed. For example, a SCSS project may use partial files, or a Pug project may have files for includes. By prefixing the file name with an underscore, the Editor will know not to create a processed file for that file. These files will still be available to the preprocessor for imports and include statements, they just won’t get their own output file. In this Nunjucks project example, only the index.njk and about.njk files need a processed file, so the template and include files are named with an underscore on the front. Don’t forget to reference the processed version of your CSS and JavaScript files in your HTML! Because the output of the file you’re working on will go to the .processed. file, you should use that link in your HTML. Choosing a processor in the Project Settings Some processors run on files without special file extensions, so you’ll need to elect to use these in the Project Settings. Autoprefixer By switching this processor on, all of your files with the .css extension will be run through autoprefixer, including the processed output from other CSS processors. For example, you can create SCSS files and also run Autoprefixer on their resulting CSS. • If you are using another processor already, Autoprefixer doesn’t create an additional file, it just runs Autoprefixer after the other processing is done. • If you not using a CSS processor, Autoprefixer will make a *.processed.css file. Bundling You can turn on JavaScript bundling in the Project Settings. To do so you have to have at least one JavaScript file in your project, and then select one as the “entry point” file. It will then produce a script.processed.js file you can link to for your HTML. • Bundling will combine all the JavaScript files that it locally imports. • URL-imports (e.g. Skypack) will be left alone. • Babel is run over everything. • JSX is processed. Minification When you turn on minification in your Project Settings, any file that is processed will also be minified. For example, your style.css file will turn into style.processed.css but also be minified, which it is not without turning on this setting. If you don’t use a processor of any kind, the file won’t be minified. Unlike Autoprefixer, just turning on this setting doesn’t automatically make a processed version
ESSENTIALAI-STEM
skip to main content Title: MultiBodySync: Multi-Body Segmentation and Motion Estimation via 3D Scan Synchronization We present MultiBodySync, a novel, end-to-end trainable multi-body motion segmentation and rigid registration framework for multiple input 3D point clouds. The two non-trivial challenges posed by this multi-scan multibody setting that we investigate are: (i) guaranteeing correspondence and segmentation consistency across multiple input point clouds capturing different spatial arrangements of bodies or body parts; and (ii) obtaining robust motion-based rigid body segmentation applicable to novel object categories. We propose an approach to address these issues that incorporates spectral synchronization into an iterative deep declarative network, so as to simultaneously recover consistent correspondences as well as motion segmentation. At the same time, by explicitly disentangling the correspondence and motion segmentation estimation modules, we achieve strong generalizability across different object categories. Our extensive evaluations demonstrate that our method is effective on various datasets ranging from rigid parts in articulated objects to individually moving objects in a 3D scene, be it single-view or full point clouds. Authors: ; ; ; ; ; ; Award ID(s): 1763268 Publication Date: NSF-PAR ID: 10285240 Journal Name: Proceedings of the IEEE/CVF Conference on Computer Vision and Pattern Recognition Sponsoring Org: National Science Foundation More Like this 1. In this work, we tackle the problem of category-level online pose tracking of objects from point cloud sequences. For the first time, we propose a unified framework that can handle 9DoF pose tracking for novel rigid object instances as well as per-part pose tracking for articulated objects from known categories. Here the 9DoF pose, comprising 6D pose and 3D size, is equivalent to a 3D amodal bounding box representation with free 6D pose. Given the depth point cloud at the current frame and the estimated pose from the last frame, our novel end-to-end pipeline learns to accurately update the pose. Our pipeline is composed of three modules: 1) a pose canonicalization module that normalizes the pose of the input depth point cloud; 2) RotationNet, a module that directly regresses small interframe delta rotations; and 3) CoordinateNet, a module that predicts the normalized coordinates and segmentation, enabling analytical computation of the 3D size and translation. Leveraging the small pose regime in the pose-canonicalized point clouds, our method integrates the best of both worlds by combining dense coordinate prediction and direct rotation regression, thus yielding an end-to-end differentiable pipeline optimized for 9DoF pose accuracy (without using non-differentiable RANSAC). Our extensive experiments demonstratemore »that our method achieves new state-of-the-art performance on category-level rigid object pose (NOCSREAL275 [29]) and articulated object pose benchmarks (SAPIEN [34], BMVC [18]) at the fastest FPS ∼ 12.« less 2. Human novel view synthesis aims to synthesize target views of a human subject given input images taken from one or more reference viewpoints. Despite significant advances in model-free novel view synthesis, existing methods present two major limitations when applied to complex shapes like humans. First, these methods mainly focus on simple and symmetric objects, e.g., cars and chairs, limiting their performances to fine-grained and asymmetric shapes. Second, existing methods cannot guarantee visual consistency across different adjacent views of the same object. To solve these problems, we present in this paper a learning framework for the novel view synthesis of human subjects, which explicitly enforces consistency across different generated views of the subject. Specifically, we introduce a novel multi-view supervision and an explicit rotational loss during the learning process, enabling the model to preserve detailed body parts and to achieve consistency between adjacent synthesized views. To show the superior performance of our approach, we present qualitative and quantitative results on the Multi-View Human Action (MVHA) dataset we collected (consisting of 3D human models animated with different Mocap sequences and captured from 54 different viewpoints), the Pose-Varying Human Model (PVHM) dataset, and ShapeNet. The qualitative and quantitative results demonstrate that our approachmore »outperforms the state-of-the-art baselines in both per-view synthesis quality, and in preserving rotational consistency and complex shapes (e.g. fine-grained details, challenging poses) across multiple adjacent views in a variety of scenarios, for both humans and rigid objects.« less 3. 3D object recognition accuracy can be improved by learning the multi-scale spatial features from 3D spatial geometric representations of objects such as point clouds, 3D models, surfaces, and RGB-D data. Current deep learning approaches learn such features either using structured data representations (voxel grids and octrees) or from unstructured representations (graphs and point clouds). Learning features from such structured representations is limited by the restriction on resolution and tree depth while unstructured representations creates a challenge due to non-uniformity among data samples. In this paper, we propose an end-to-end multi-level learning approach on a multi-level voxel grid to overcome these drawbacks. To demonstrate the utility of the proposed multi-level learning, we use a multi-level voxel representation of 3D objects to perform object recognition. The multi-level voxel representation consists of a coarse voxel grid that contains volumetric information of the 3D object. In addition, each voxel in the coarse grid that contains a portion of the object boundary is subdivided into multiple fine-level voxel grids. The performance of our multi-level learning algorithm for object recognition is comparable to dense voxel representations while using significantly lower memory. 4. The success of supervised learning requires large-scale ground truth labels which are very expensive, time- consuming, or may need special skills to annotate. To address this issue, many self- or un-supervised methods are developed. Unlike most existing self-supervised methods to learn only 2D image features or only 3D point cloud features, this paper presents a novel and effective self-supervised learning approach to jointly learn both 2D image features and 3D point cloud features by exploiting cross-modality and cross-view correspondences without using any human annotated labels. Specifically, 2D image features of rendered images from different views are extracted by a 2D convolutional neural network, and 3D point cloud features are extracted by a graph convolution neural network. Two types of features are fed into a two-layer fully connected neural network to estimate the cross-modality correspondence. The three networks are jointly trained (i.e. cross-modality) by verifying whether two sampled data of different modalities belong to the same object, meanwhile, the 2D convolutional neural network is additionally optimized through minimizing intra-object distance while maximizing inter-object distance of rendered images in different views (i.e. cross-view). The effectiveness of the learned 2D and 3D features is evaluated by transferring them on five different tasks includingmore »multi-view 2D shape recognition, 3D shape recognition, multi-view 2D shape retrieval, 3D shape retrieval, and 3D part-segmentation. Extensive evaluations on all the five different tasks across different datasets demonstrate strong generalization and effectiveness of the learned 2D and 3D features by the proposed self-supervised method.« less 5. As autonomous robots interact and navigate around real-world environments such as homes, it is useful to reliably identify and manipulate articulated objects, such as doors and cabinets. Many prior works in object articulation identification require manipulation of the object, either by the robot or a human. While recent works have addressed predicting articulation types from visual observations alone, they often assume prior knowledge of category-level kinematic motion models or sequence of observations where the articulated parts are moving according to their kinematic constraints. In this work, we propose FormNet, a neural network that identifies the articulation mechanisms between pairs of object parts from a single frame of an RGB-D image and segmentation masks. The network is trained on 100k synthetic images of 149 articulated objects from 6 categories. Synthetic images are rendered via a photorealistic simulator with domain randomization. Our proposed model predicts motion residual flows of object parts, and these flows are used to determine the articulation type and parameters. The network achieves an articulation type classification accuracy of 82.5% on novel object instances in trained categories. Experiments also show how this method enables generalization to novel categories and can be applied to real-world images without fine-tuning.
ESSENTIALAI-STEM
Odonteus armiger (Scopoli, 1772) Suborder: Superfamily: Family: Subfamily: Genus:   POLYPHAGA Emery, 1886 SCARABAEOIDEA Latreille, 1802 GEOTRUPIDAE Latreille, 1802 BOLBOCERATINAE Mulsant, 1842 ODONTEUS Samouelle, 1819 This is the only European member of its genus and, at 5-10mm, is also the smallest of the European geotrupids. It is widely distributed and sometimes locally abundant through Europe north to southern Scandinavia and east to the Urals and Caucasus although it is rare or absent from parts of the central Mediterranean region. In the U.K. it is considered to be very rare, although this may be a reflection on how difficult it is to find, and is restricted to southern and eastern parts of England with a few records from south Wales. The species has been recorded in a wide range of habitats from lowlands to low mountain altitudes, more especially so in Europe where it is often associated with woodland and wooded borders although the majority of records are from light trapping and may simply reflect the habits of lepidopterists, and open heathland and grassland on sandy or chalky soil. Adults occur from May to November, peaking during June and July, and may be conspicuous as they fly over pasture on warm evenings or, during cooler weather, in the afternoon, and on the continent they have been recorded swarming. Most U.K. records are from open situations, often on cattle or sheep pasture, and during June and July a large proportion are from light traps, sometimes from disturbed situations such as domestic gardens and scrubland. They have been found under or around cattle and sheep droppings, around rabbit burrows and on fungi, both on trees and underground, and while the adults are often associated with mammal burrows there seems to be no unique association although it seems the beetles can exploit this environment in some way. Both adults and larvae are known to feed on fungi; the adults on a range of species but especially on decomposing subterranean fruiting bodies and there may be a particular association with mycorrhizal fungi of the genera Endagone and Glomus, while the larvae appear to feed on mycelia and decaying fruiting bodies, especially on tree roots. The life cycle is only poorly understood; the adults excavate burrows down to about 70cm, which may be branched but are often not, and are thought to provision them with dung or compost but decaying fungi have often been found in the main tunnels and it may be that the species is primarily fungivorous. Captive adults have been recorded feeding on a range of fungi. This species is rather atypical among the U.K. geotrupids and therefore distinctive; oval and very convex, and dark to pale brown with the appendages often lighter. Head finely and quite densely punctured, with large and prominent eyes divided by a wide canthus which is obvious from above. The mandibles are robust and produced forward and the antennal club is relatively very large. The male has a smooth vertex and a long and upright horn on the frons below the eyes which is absent in the female but here there are usually variously developed tubercles between the eyes. The pronotum is broadest at the base and narrowed to the front angles, the anterior and basal margins are widely sinuate and all the margins are strongly bordered. The surface is strongly though often sparsely punctured and, in the male, has 2 backwardly produced horns in front of widely depressed basal fovea. Scutellum large and cordate. The elytra have 7 or 8 deep and strongly punctured striae between the suture and the humeral prominence, and wide and convex interstices of which the sutural, or the first 2, are raised towards the apex. The tibiae are greatly developed; the pro-tibiae have 3 very large and several smaller teeth along the outer margin and, in the males, a greatly developed internal apical spine, the meso- and meta-tibiae have 2 strongly developed transverse ridges on the outer face. Tarsi 5-segmented and simple, without any dilated or lobed segments, the terminal segment is long and bears well-developed claws that are smooth and lack a basal tooth. Odonteus Samouelle, 1819 This is a small and widespread genus of about 15 species; 10 are Nearctic, 2 occur in the eastern Palaearctic and a single species occurs in Europe. They are very distinctive; medium sized, 5-10mm, dark to pale brown earth boring beetles. Within the genus they can be very difficult to identify but with only a single U.K. species the identification is straightforward and certain. The appearance is typical of the Geotrupidae; oval and very convex with 11-segmented antennae bearing a well-defined club, prominent eyes divided by a canthus and, unusually among our U.K. fauna, strongly punctured elytral striae. Sexual dimorphism is very strong with the males having a long cephalic horn and variously modified pronotal sculpture. The adults dig burrows which they provision with food for the larvae, usually dung, decayed humus or fungi etc. The life cycle of some Nearctic species is well understood whereas the European species is only poorly known. In some species a single burrow has been found to contain larvae, pupae and adults together. It seems that most overwinter underground as adults so giving peaks of occurrence in spring/early summer and late summer/autumn. Many fly in the afternoon or at dusk and are attracted to light although under certain circumstances they also display photophobic behaviour, and some species have been recorded swarming. All text on this site is licensed under a Creative Commons Attribution 4.0 International License. For information on image rights, click HERE.
ESSENTIALAI-STEM
Jean-Nickolaus Tretter Collection in Gay, Lesbian, Bisexual and Transgender Studies The Jean-Nickolaus Tretter Collection in Gay, Lesbian, Bisexual and Transgender Studies is a collection of LGBT historical materials housed in the Special Collections and Rare Books section of the University of Minnesota Libraries. It is located underground in the Elmer L. Andersen special collections facilities on the University of Minnesota's Minneapolis campus. The Tretter Collection houses over 40,000 items, making it the largest LGBT archive in the Upper Midwest and one of the largest GLBT history collections in the United States. The collection, which was created by Jean-Nickolaus Tretter, is international in scope and is varied in media. Collection Although books are the core of the collection (including a large holding of gay pulp fiction), substantial sections include textiles, glassware, film, music, art works, and three-dimensional objects such as statuary, event buttons, and furniture. The collection includes unpublished manuscripts, vertical files, and periodicals in approximately 56 languages. Much of the material is from people and organizations in the United States during the last third of the twentieth century. Among the significant archival holdings are: * items from the Magnus Hirschfeld estate * archives of the national Log Cabin Republicans * records of the Daughters of Bilitis * Mattachine Society records * page proofs and layouts for six works by Andy Warhol * archives of the National Education Association GLBT Caucus * the personal papers of: * Tobias Schneebaum * Charles Nolte * Stuart Ferguson The collection was started by Jean-Nickolaus Tretter, a Minnesota-born archivist, in the 1950s, and donated to the University of Minnesota Libraries in the early 200s when the collection grew large enough to be a fire hazard in his home. Selected items from the collection and timelines are frequently assembled and displayed worldwide. Recent displays have been at the Motor City Pride in Michigan in 2007 and 2009, and the first Moscow Pride festival in May 2006. In 2005, the collection started its official newsletter, The Tretter Letter. In 2006, The Tretter Collection, the University of Minnesota Libraries, and the Quatrefoil Library presented the first GLBT ALMS (Archives, Libraries, Museums and Special Collections) Conference in Minneapolis. It is the home of the Transgender Oral History Project, which has gathered 200 video interviews of transgender individuals, primarily in the Upper Midwest, and which has received funding for a second phase. Awards, honors and media recognition In 2016, The Jean-Nickolaus Tretter Collection was the inaugural recipient of the Newlen-Symons Award for Excellence in Library Services and Outreach to the GLBT Community. "The Newlen-Symons Award recognizes the tremendous impact of the Tretter Collection and its leadership in collecting and preserving the record of the GLBT community, from the University of Minnesota campus and beyond," said American Library Association President Sari Feldman. "Through preservation, collection development and advocacy, the Tretter Collection embodies how libraries can transform lives and communities." In 2017, The Tretter Collection won the Diversity Award presented by the Society of American Archivists. The Society of American Archivists annually recognizes outstanding contributions, leaders, and achievers in advancing diversity within the archives profession. Tretter was honored for its dedication to filling in the gaps of the GLBT archival record and for striving to include marginalized voices from within the GLBT community. People In 2015, Andrea Jenkins began work at the Tretter Collection as curator of the Transgender Oral History Project.
WIKI
William Cormick William Cormick (1822 in Tabriz – 30 December 1877), was an Iranian physician in Qajar Iran during the reigns of Mohammad Shah Qajar (1834–1848) and Naser al-Din Shah Qajar (1848–1896). He is noted for having played an important role in the diffusion of Western medicine into Iranian society. He is also noted as the only westerner to have met the Báb. Education William Cormick was born in Tabriz to the British physician of Irish origin John Cormick and a local Armenian woman. Having been sent to England at the age of ten in order to gain an education, he was subsequently enrolled into the medical faculty of the University College of London. He received his qualification as a member of the Royal College of Surgeons on 17July 1840. A year later he was admitted into membership of the Society of Apothecaries, as well as being awarded a doctors degree in medicine from St. Andrew's in London. Career From 1844 to 1855 Cormick worked as a physician in London and in Paris. He was summoned to Iran, by the then incumbent king Mohammad Shah Qajar, as the second physician to the British mission and to become the personal physician to the king. In 1846 he was appointed as the second physician to the family of Abbas Mirza. Later he became the personal physician to the crown prince and the future king Naser al-Din Shah Qajar, when the latter was given the governorship of Azerbaijan province, which he held for seven months. Upon the ascension of Naser al-din Shah Qajar to the throne in 1848, Cormick travelled with him to Tehran. However, on the decision of the prime minister, Amir Kabir, he was replaced by the French physician Ernest Cloquet. This was part of Iran's policy of avoiding becoming over-dependent on either Russia or Great Britain. Cormick returned to Tabriz, where he lived for the rest of his life, continuing to practice medicine and becoming rich. The Báb During the trial of the Báb in Tabriz in July 1848, William Cormick and two Iranian physicians were given the task of certifying whether the former could be classified as mentally incompetent. The governing authorities were reported to be "reluctant" to give the Báb the death sentence. Cormick, at the request of the Báb, visited him several times as part of the medical treatment for his having been bastinadoed following his trial. This made Cormick the only Westerner recorded as having personally met the Báb. He presented an account of his meetings with the Báb in a letter to an American missionary friend named J. H. Shedd. Awards He was awarded the Order of the Lion and the Sun (2nd class). On 19October 1876 Cormick became a fellow of the British Royal College of Surgeons. Personal life Cormick was married to an Armenian woman named Tamar, who was the younger sister of Anna, the Armenian wife of Edward Burgess (merchant). Cormick died on 30December 1877, and was buried in Tabriz in the same cemetery as his father, brother and nine other Cormick family members.
WIKI
News today: Thankgiving, President Trump, Rudy Giuliani (CNN)Here's what you might have Wednesday missed on CNN: -- Rudy Giuliani acknowledged meeting with a lawyer for a Ukrainian oligarch who he had previously said he had "nothing to do with." -- President Donald Trump denied he directed Giuliani, his personal lawyer, to go to Ukraine and seek out investigations on his behalf, contradicting testimony from members of his administration. -- Former President Jimmy Carter was released from Emory University Hospital in Atlanta, after spending more than two weeks there following a procedure to relieve pressure on his brain. -- Toys 'R' Us has returned to the US and opened a store in New Jersey. Here's what you need to know.   -- Brutal weather is making Thanksgiving travel downright dangerous. -- Thanksgiving is almost here and so is a little extra down time. Here are nine movies you can watch in theaters. -- A 104-year-old woman shot her first buck after getting her hunting license on opening day. -- Virtual reality isn't just for video games anymore. Russian dairy farmers gave their cows virtual reality goggles. -- RIP, your Thanksgiving turkey.
NEWS-MULTISOURCE
Hiring Questions, Problem 2 While most technical hiring questions aren’t all that relevant, this one might be more generally useful. Find duplicate files; the trick was the speedup.. The problem statement was something like, “..using your favourite language, find all the duplicate files in a given directory and output the list of sets of identical files.” Easy enough in bash.  Use find to output the filenames, pipe to xargs with a hashing function (e.g. md5sum, shasum) and output lists that hash to the same value. My first stab looked something like this:   find $1 -type f | xargs md5um | awk ' $1 in sums { dups[$1]++ } { sums[$1] = sums[$1] " " $2 } END { for (i in dups) { print sums[i] } } ' The trick was, “How do we speed this up?”  Reading and calculating checksums for all the files might take a long time.  Do we need to check them all? Of course not!  The file size is stored in the inode.  We can eliminate any files that have unique sizes quickly! So, with an almost identical block of awk, we eliminate those and only md5sum on the remaining files.   find $1 -type f | xargs ls -l | awk ' $5 in size { dups[$5]++ } { size[$5] = size[$5] " " $NF } END { for (i in dups) { print size[i] } } ' | tr ' ' '\n' | xargs md5sum | awk ' $1 in sums { dups[$1]++ } { sums[$1] = sums[$1] " " $2 } END { for (i in dups) { print sums[i] } } ' The optimization was dramatic when I tested on some of my own directories.  A finished script is a little more complicated as many files have spaces and other nasty characters to deal with, but I’ll send it along to anyone interested.. Leave a Reply Your email address will not be published. Required fields are marked * twenty − six =
ESSENTIALAI-STEM
./www/cgicc, C++ compliant CGI applications libraries [ CVSweb ] [ Homepage ] [ RSS ] [ Required by ] [ Add to tracker ] Branch: pkgsrc-2019Q4, Version: 3.2.19, Package name: cgicc-3.2.19, Maintainer: pkgsrc-users GNU cgicc is an ANSI C++ compliant class library that greatly simplifies the creation of CGI applications for the World Wide Web. Master sites: (Expand) SHA1: 6470bd554e4363dcbc5061a3b89b8c65c1701a1b RMD160: d7bb8d0c21f0a3ed6c0705b8ec5cdce54d2dc706 Filesize: 2398.477 KB Version history: (Expand)
ESSENTIALAI-STEM
User:Rlaufer2/sandbox = Miniature Dachshund = The miniature dachshund is a breed of dog that originated in Germany around the 1500s. As the smallest dog in the hound breed group, the mini dachshund typically weighs around 8 to 11 pounds with a height of 5 to 6 inches at the shoulder. What the breed lacks in size it makes up for in personality, making it one of the most popular breeds in America. The average life expectancy of the miniature dachshund is 12 to 15 years. History The miniature dachshund was originally bred as a hunting dog. The breed's long body and short legs were developed to hunt badgers and rabbits in their burrows, while the standard sized dachshund was more often employed than the miniature to hunt the larger and more aggressive badger. Despite their history as hunting dogs, the modern miniature dachshund has developed an unofficial reputation as a lapdog. The word dachshund, in its native German language, is translated to "badger dog." This name was temporarily used in America and Great Britain following World War II to avoid associations with Germany. According to the American Kennel Club's Registration Statistics, the miniature dachshund is now one of America's most popular breeds. Appearance and characteristics The miniature dachshund has short legs, a long body, and robust muscular development. Their small size makes them ideal for apartment or condo living. The breed comes in three different coats: smooth, wire-haired, and longhaired. Within these three coats there are multiple colours and markings available. The following is a list of colours recognized by the American Kennel Club: The three AKC recognized markings are brindle, dapple, and sable. * Black and cream * Black and tan * Blue and cream * Blue and tan * Chocolate and cream * Chocolate and tan * Cream * Fawn (Isabella) and cream * Fawn (Isabella) and tan * Red * Wheaten * Wild boar Temperament Due to its loyal and protective nature, the breed tends to form a strong bond with one owner -- as opposed to a Labrador retriever that can form a bond with anyone -- and be skeptical of strangers. Despite their size, their loud, often relentless barking makes miniature dachshunds great guard dogs. The breed can be known to snap at young children or other dogs it does not know, but is typically accepting of those in its own family. The miniature dachshund is often described as clever, energetic, courageous, and extremely determined, which are all characteristics that stem from its hunting origin. The popular phrase "little dog syndrome" is often applied to this breed, implying that the miniature dachshund often has a tough persona and acts like it is triple its actual size. Health and care Like all dog breeds, there is always a chance of genetic health issues. The miniature dachshund is prone to epilepsy, skin conditions, eye disorders and diabetes. If a dog's parents both have dapple markings, it may also suffer from deafness. The biggest health concern among dachshunds, due to their unique bodily structure, is intervertebral disc disease (IVDD). IVDD is a condition where the discs between the dog's spinal vertebrae herniate into the spinal cord space, which can eventually lead to nerve damage and paralysis. Activities like jumping off of furniture, such as sofas and beds, can induce and aggravate the condition. Treatment can range from the use of anti-inflammatory drugs along with periods of rest to emergency surgery in which parts of the affected vertebrae are removed. Miniature dachshunds do not require vigorous activity but should be walked daily, as they are prone to weight problems.
WIKI
Page:Hints to Horse-keepers.djvu/60 52 with which the stallions transmit to their progeny, begotten on mares of a different race, their own characteristics, and the high degree in which the offspring of the mares, bred to horses of superior class, retain the better qualities of their dams. For it appears to be a certain rule in breeding, that the purer the blood, and the higher the vital energy and vigor of either parent, in the greater degree does that parent transmit its properties to the young—although, as before insisted upon, the certain transmissions of the larger portion of those energies is always on the stallion's side, and it is only in the longer retention of an inferior proportion of her qualities by the progeny that the better blood of the dam can be traced when bred to an inferior sire. When bred to a purer blooded stallion than herself, the more pure blood the mare herself has the more strongly will her own marks descend to her progeny, and the less will they be altered or modified by those of the sire. Now, the Percheron Normans are clearly a pure race per se; we do not mean by the words, a thorough-bred race, but a race capable of producing and reproducing themselves ad infinitum, unaltered, and without deterioration of qualities, by breeding like sires to like dams, without infusion of any other blood, just as is done by Durham, Ayrshire, or Alderney cattle, by setters, pointers, greyhounds, and, in a word, by any and all animals of distinct and perfect varieties of the same species. The only remarkable thing in this case is, that such should be the facts, under the circumstances, of the Percheron Normans, being originally—as they are beyond a doubt—the produce of a cross, although a most remote cross in point of time. The original Norman horse now nearly extinct, which was the war-horse of the iron-clad chivalry of the earliest ages—of William the Conqueror, and Richard
WIKI
fbpx Shira Kramer, MHS, PhD What are Coronaviruses? Coronaviruses are a family of RNA viruses that may include mild respiratory infections like the common cold, but also more severe (and potentially deadly) infections. Many are zoonotic diseases, meaning they are transmitted between animals and people. The novel coronavirus responsible for the current outbreak was identified in Wuhan, China in December 2019, and causes an illness known as COVID-19. This coronavirus is known as SARS-CoV-2. Coronaviruses are named after the Latin word corona, meaning “crown” or “halo,” because they have “crown-like spikes on their surface,” according to the U.S. Centers for Disease Control. What are the Symptoms of COVID-19? Common signs of infection include runny nose, cough, fever, sore throat and shortness of breath. In more severe cases, infection can cause pneumonia, severe acute respiratory syndrome, kidney failure and even death.  Some infected individuals may show no or few symptoms at all, yet still be infectious to others.  The lack of available testing presents a major challenge in identifying affected individuals and slowing the transmission of this virus. The severity of symptoms and poor outcomes are more common in older age groups (over age 60) and those with underlying medical conditions, such as lung disease, heart disease, diabetes, any condition causing a compromised immune system, and a chronic disease of any kind. Individuals in the highest risk groups, and those most severely affected, can experience difficulty breathing, pneumonia, failure of respiratory and other vital systems, and even septic shock. How is the Coronavirus Transmitted? Coronaviruses are typically transmitted from person to person through respiratory droplets and close contact. Exposure may also occur by touching surfaces that have been contaminated with the coronavirus. COVID-19 is highly infectious, and individuals may become infected through contact with both clinically ill contacts, as well as contact with individuals who have no symptoms. The highly infectious nature of this virus, the high case fatality rate, the lack of available testing, and the ability of asymptomatic persons to spread the virus are all reasons why municipalities, states, the federal government, and businesses have all restricted large gatherings, are recommending isolation to the degree possible. What is the Incubation Period for COVID-19? The estimated incubation period for COVID-19  is 5.1 days, with a mean of 5.5 days. A recent analysis showed that among 97.5% of infected persons, symptoms appeared 11.5 days after infection. What is the Best Way to Control Transmission of the Coronavirus? The World Health Organization and the U.S. Centers for Disease Control have identified several ways to slow transmission of the Coronavirus. There is no cure, and no vaccine for COVID-19. Every effort must be made to slow and control the transmission of this coronavirus.  Another important reason to slow transmission is the lack of sufficient health care resources to deal with a large surge of serious cases, which will increase the case fatality rate.  Practicing the following measures on a population scale will hopefully reduce the number of severely-affected persons and spread out the number of individuals who need hospitalization and medical care (flatten the epidemic curve). 1. Social Isolation The most effective way to slow transmission of the virus is to limit social interaction, i.e., quarantine. The current recommendations in the U.S. are to limit gatherings of >10 – 50 persons, and to maintain a distance of at least 6 feet from other individuals. This recommendation has led to the cancellation of schools, shops, entertainment, meetings, travel, and normal activities for most individuals. The length of quarantine has not been established, as we still do not know the extent and progression of infection in the U.S.  However, among those with confirmed contact with an infected person(s), a two-week quarantine period is justified based upon the likely development of symptoms within 11.5 days. 2. Meticulous and Frequent Hand Hygiene It is critical to wash hands frequently, for at least 20 seconds, with soap (antimicrobial or otherwise).  Hand washing should especially occur after touching surfaces or other people, after going to the bathroom, and always before eating.  Avoid touching your face, including eyes, nose, and mouth. 3. Frequent and Thorough Cleaning and Disinfection of Environmental Surfaces and Equipment Since the Coronavirus can survive for days on environmental surfaces and equipment, it is highly recommended that environmental surfaces in all types of facilities be frequently and thoroughly cleaned and disinfected with an EPA-approved disinfectant. Refer to EPA List N for a comprehensive list of disinfectants approved for use against SARS-CoV-2. This list identifies all products that meet EPA’s Emerging Viral Pathogen criteria for SARS-CoV-2 and includes Sterilex Ultra Disinfectant Cleaner Solution 1 and Sterilex Ultra Step.While there is no evidence that the virus represents a food safety or animal welfare threat, food manufacturers and animal producers are taking necessary steps to protect their facilities and employee health. Building a contingency plan and implementing a robust disinfection program can help keep facilities free from COVID-19 and ensure operational continuity.Please refer to the CDC website at https://www.cdc.gov/coronavirus/2019-ncov/ for additional information on the outbreak.   What are the Risks of Infection with COVID-19? Current projections of infection and case fatality rates in the U.S., without a cure or vaccine, range from 40% – 70% of Americans infected, with 1.5 million – 1.7 million deaths. As of March 19, 2020, the Johns Hopkins mapping system reported 222,642 worldwide confirmed cases and 9,115 deaths.  In the U.S., 9,415 COVID-19 cases and 147 deaths were reported across all 50 U.S. states. It is challenging to calculate a precise case fatality rate (number of deaths from COVID-19 divided by the number of infected persons) because of the lack of testing and the large number of asymptomatic carriers. We know, however, that COVID-19 is at least 10 times more lethal than the common flu. The overall case fatality rate has been estimated by the World Health Organization at 3.4%.  The lethality of the virus is not the same across age groups. According to data from the outbreaks in Italy and China, mortality rates rise significantly among older patients. In a study that has not yet been peer-reviewed, researchers at the University of Bern in Switzerland used data from the Chinese Center for Disease Control to determine that mortality rates among those infected in January and February in Hubei province shot up with each decade: Age Group — Mortality Rate 0-9 — <.01 percent 10-19 — .02 percent 20-29 — .09 percent 30-39 — .18 percent 40-49 — .40 percent 50-59 — 1.3 percent 60-69 — 4.6 percent 70-79 — 9.8 percent 80 & up — 18 percent It is important to note that younger persons, especially those with underlying medical conditions, are also at risk. Further Risks Due to Limitation of Resources The high mortality rate is made even more concerning by America’s low surge capacity — a hospital or medical system’s ability to triage and care for a major increase in patients in a short amount of time. As pediatrician Aaron E. Carroll notes in the New York Times: “It’s estimated that we have about 45,000 intensive care unit beds in the United States. In a moderate outbreak, about 200,000 Americans would need one.” In addition, with an outbreak of upper respiratory infections, another critical factor is the limited number of ventilators available in hospitals.    
ESSENTIALAI-STEM
'Angry Birds' maker Rovio plans IPO to spur growth, M&A HELSINKI (Reuters) - “Angry Birds” maker Rovio Entertainment Ltd is moving ahead with a long-awaited initial public offering to help fund new games and deals in a consolidating industry, it said on Tuesday. The Finnish company said it would raise around 30 million euros ($36 million) by selling new shares, while existing investors - which include the uncle of the company’s co-founder as well as venture capital firms Accel Partners and Atomico - would also sell an undisclosed stake in the business. Rovio, whose games had been downloaded 3.7 billion times by June, declined to put an estimated value on the company, which some media reports have said could be as high as $2 billion. Rovio saw rapid growth after the 2009 launch of the original “Angry Birds” game, in which players use a slingshot to attack pigs that steal birds’ eggs, as the company cashed in on its popularity by licensing the brand for use on toys and clothing. In 2011, it said a flotation was a mid-term target, but there was little progress as business quickly declined amid the rise of rival games such as Supercell’s “Clash of Clans” and King’s “Candy Crush Saga”. Rovio was slow to respond to a shift to freely available games that make revenue from in-game purchases and advertising. In 2015, it made an operating loss and cut third of staff. But the 2016 release of 3D movie “Angry Birds”, together with new games, have revived the brand and helped sales recover. In the first half of this year, sales almost doubled from a year earlier to 153 million euros, while core profit increased to 42 million euros from 11 million a year before. The company said it expected sales and profits to increase significantly in 2017 as a whole. Technology analysts have said Rovio is too dependent on the “Angry Birds” brand and should create new intellectual property to help it grow. Some are also skeptical of talk of a $2 billion valuation. “Valuations ... have shot up in past few years. So it’s a tempting time for the owners to make an exit,” said analyst Atte Riikola from Helsinki-based equity research firm Inderes. “But compared with historic results ... that sounds really high.” Rovio CEO Kati Levoranta said on Tuesday the company was working on several new game ideas, while also planning a sequel to the movie, scheduled for 2019. Its main game titles at the moment include “Angry Birds 2,” “Angry Birds Blast”, “Angry Birds Friends” and a new multiplayer game “Battle Bay.” Rovio is also looking at consolidation opportunities. “The gaming industry is very fragmented ... we strongly believe that consolidation will take place going forward,” Levoranta told a news conference. “We have a huge potential to act as a consolidator, a kind of platform to partners” Last year, China’s Tencent Holdings bought a majority stake in Finland’s other prominent games maker, Supercell, for $7.2 billion. Rovio is 69 percent owned by Trema International, a firm owned by Kaj Hed, the uncle of company co-founder Niklas Hed. The company gave no details on how many shares the existing shareholders would sell, but Chairman Mika Ihamuotila said he understood Trema would remain as a long-term investor. It also did not give a timeframe for the planned listing on the Helsinki stock exchange Carnegie and Danske are joint global coordinators for the IPO, while Deutsche Bank and OP are joint bookrunners. Reporting by Jussi Rosendahl and Tuomas Forsell; Editing by Gopakumar Warrier and Mark Potter
NEWS-MULTISOURCE
Usage C++ There are effectively two ways that you can use NanoGUI in C++: have NanoGUI initialize and manage the OpenGL context (and GLFW), or you do it manually. 1. If you are letting NanoGUI take over, you must call Function init before trying to do anything else. If you are managing OpenGL / GLFW yourself, make sure you avoid calling this method. 2. Create an instance of Class Screen (or a derivative class you have written). • NanoGUI managed OpenGL: call the explicit constructor. • Self managed OpenGL: call the empty constructor. 3. Add any Widgets, Buttons, etc. you want to the screen instance, and call the nanogui::Screen::setVisible() and nanogui::Screen::performLayout() methods of your instance. 4. Now that everything is ready, call Function mainloop. 5. When all windows are closed, this function will exit, and you should follow it up with a call to Function shutdown. NanoGUI Managed OpenGL / GLFW:  Refer to Example 2 for a concise example of what that all looks like. Self Managed OpenGL / GLFW:  Refer to Example 3 for an as concise as possible example of what you will need to do to get the Class Screen to work. Python The Python interface is very similar to the C++ API. When you build NanoGUI with CMake, a python folder is created with the library you import nanogui from. Though there are implementation details that differ greatly, the documentation and build process for the Python side is roughly the same. Refer to the Examples and compare the source code for the two. Example 3 highlights the more notable differences between the APIs. Specifically, that managing GLFW from Python has no meaning, as well as the main loop for Python can easily be detached.
ESSENTIALAI-STEM
APIs are normally GUI-less, on the back-end and server-to-server. ZignSec however introduces Browser-based APIs for running workflows requiring user interaction, for example the eID login processes. A Comparison of Browser-based and Backend API • Browser-based API example: The Nordic BankIDs can all be run on the Browser-based API. This is the choice for HTML-based front-ends and needs a browser window to run the neccessary user interactions. • Backend (server-2-server) API example: ZignSec has implemented the “BankID API for Apps” which is better suited for backend integrations without user-interactions – for example when building mobile apps. Browser-based API´s Call Sequence Overview: 1. Make Initiation Call <- Returns a start-url. 2. Start Browser-based workflow with start-url 3. Poll or Wait for a signal that workflow is completed (with desired approach). 4. Retrieve results, that is the Identity object of the logged in person. In detail: 1. Request a Session Token (aka RequestId) also specify the operation. You will be returned a new unique RequestId session token from Zignsec used throughout the process to identify your session and results, as well as a redirect_url containing the same session token, that will start the browser workflow. 2. Run the browser workflow, that is, navigate the redirect_url. This will also, on the server, setup and initiate a parallel remote BankID session, or similar for the requested login service. (step 2.5, here the user Logs in or Signs in the browser window and/or other external utilities, like the Danish key card, or the Swedish BankID app…) 3. Retrieve the results in either of these ways: 1. Wait until the browser is redirected to the Target url, which signals that the eID process is completed and you should issue a GET to fetch the results. 2. Set up success and error webhooks to have the results pushed to you automatically. 3. Issue a GET repeatedly to poll for status changes until you have the final results in the response body. Note: We recommend you set the target parameter to a redirect-url called upon completion (successful or failed). In this way you avoid polling with GET method, target is navigated to automatically via a HTTP redirect after the last step in the Authenticate or Sign process. Also, we recommend you use an Html IFrame as a GUI container in the browser for the web-based workflow. Result Retrieval on Browser-based API • Callback, also known as Push-delivery, is set up by either: 1. Set the Target url parameter in the init call and let that navigation trigger a GET for result retrieval. 2. Register a webhook callback url where final results will be delivered. Webhooks need to be registered per customer in contact with ZignSec. • Polling is done by periodically issuing a GET until it returns the results. Recommended interval is every two seconds. Caution: Polling puts an extra load on the system and network resources. This is quite relevant for the Norwegian BankID which incorporates a more state-ful web server back-end. Polling also means a more complicated integration since you need a separate task to periodically check for result updates.
ESSENTIALAI-STEM
diplogenesis Noun * 1) The double formation of something that is normally single, such as a body organ.
WIKI
The German Question and the Origin of Cold War The nationalist rebels who were being led by Francisco Franco managed to overthrow the government since they had a lot of support from military units that were situated in Morocco, Pamplona, Burgos, Cordova, Cadiz, Valladolid as well as in Seville. However, some key cities such as Madrid, Barcelona, and Valencia were not captured by the rebels but instead remained under the full control of the government resulting into a great division in the country.The nationalist rebels received a lot of military support from Nazi Germany and Fascist Italy who shared similar views with them while the government was backed by the U.S.S.R and Mexico. Some countries such as Britain and France decided to sit on the fence which gave U.S.S.R a lot of influence and ability to expand its control away from its neighboring countries. Despite the fact that Stalin had initially signed the Non-Intervention Agreement together with other nations such as Britain, they went ahead to provide major help to the Republicans thus becoming their main source of military resources. The U.S.S.R had thus contravened the provisions of the League of Nations to which it was party to. At the time United States was going through a lot of difficulty in its efforts to recover from the effects of the Great Depression coupled with the negative effects of World War I which had left the nation in a devastated state. Most of the leaders were of the opinion that the United States should not intervene in the situations. The U.S government at that time was at crossroads on whether to express its support for the idealistic cause of the Spanish Civil war or not to intervene at all.Franklin D. Roosevelt who was the U.S president at that time had shown support to the Republic government but he could not make any move at that time due to the conflicting interests considering the American foreign policy and the effect it will have on the members of the public.
FINEWEB-EDU
HOME / NEWS / What Are Empty HPMC Capsules? What Are Empty HPMC Capsules?   HPMC stands for hydroxypropyl methylcellulose or simply hypromellose. HMPC is the material from which most supplement capsules are made. It is a clear, tasteless, suitable material for vegetarian and vegan food. It is usually made from wood pulp extraction.   Of course, many other materials can be made into supplement capsules. HPMC is by far the most common, but bovine gelatin capsules are still used occasionally, or there are more exotic options such as amylopectin made from tapioca extract.   Once upon a time, almost all vitamin capsules were made from bovine gelatin. As veganism and sustainability become more popular, the market trend is shifting away from gelatin capsules. Today, most supplement products in the UK and European markets are made from HPMC. Bovine gelatin tends to be used only in very low-cost products, or products that are not vegan insignificant, such as collagen capsules.   Are empty HPMC capsules natural?   Empty HPMC capsules themselves are made of wood and are therefore often described as natural. Of course, the contents of the capsules you buy may or may not be natural, but the shell itself is natural.   If empty HPMC capsules are already colored, the coating is likely synthetic. Titanium dioxide is commonly used to color capsules, and this synthetic colorant has some associated health risks and warnings. Capsules can be naturally colored, but only in certain colors. The green shade can be obtained with a chlorophyll coating, and the purple capsule shell can be obtained with purple carrot extract.
ESSENTIALAI-STEM
No class action for unhappy Uber drivers: U.S. appeals court (Reuters) - Uber Technologies Inc won a legal victory on Tuesday as a federal appeals court said drivers seeking to be classified as employees rather than independent contractors must arbitrate their claims individually, and not pursue class-action lawsuits. In a 3-0 decision, the 9th U.S. Circuit Court of Appeals in San Francisco reversed a lower court judge’s denial of Uber’s motion to compel arbitration in three lawsuits. It also overturned the class certification in one of the lawsuits of thousands of California drivers who had driven for the San Francisco-based ride-hailing company since August 2009. Drivers had complained that Uber misclassified them as independent contractors to avoid having to reimburse them for gasoline, vehicle maintenance and other expenses. Some also accused Uber of wrongly refusing to let them keep all tips from passengers. The decertified class action included both types of claims. Class actions let people sue as a group, and potentially obtain greater recoveries than if forced to sue individually, which might prove prohibitively expensive. Uber’s defense got a boost after the U.S. Supreme Court, in Epic Systems Corp v Lewis, ruled 5-4 in May that companies could compel workers to waive their right to class actions and instead pursue arbitration for various workplace disputes. In Tuesday’s decision, Circuit Judge Richard Clifton said arbitration was necessary in light of the Epic ruling, as well a 9th Circuit ruling from 2016 in another case against Uber. Shannon Liss-Riordan, a lawyer for the drivers, said the overturning of the class action was expected. She may ask an 11-judge appeals court panel to revisit the case, but said thousands of drivers are pursuing individual arbitrations in the meantime. “If Uber wants to resolve these disputes one by one, we are ready to do that — one by one,” she said. A lawyer for Uber, Theodore Boutrous, said: “We are very pleased with the Ninth Circuit’s order reversing class certification.” The decision applies in nine Western U.S. states, but could be cited by courts elsewhere. Uber has faced dozens of lawsuits claiming that its drivers are employees entitled to minimum wage, overtime and other benefits not afforded to contractors. Chief Executive Dara Khosrowshahi is preparing to take Uber public next year, and the company’s ability to retain drivers is critical to its growth prospects. In his year at the helm, Khosrowshahi has tried to improve Uber’s image, including by addressing federal criminal and civil probes into its business practices and stamping out its reputation as tolerant of chauvinism. The cases in the 9th U.S. Circuit Court of Appeals include O’Connor et al v Uber Technologies Inc, No. 14-16078; Yucesoy v Uber Technologies Inc, No. 15-17422; and Del Rio et al v Uber Technologies Inc et al, No. 15-17475. Reporting by Jonathan Stempel in New York; editing by Steve Orlofsky, Bernadette Baum and Jonathan Oatis
NEWS-MULTISOURCE
Talk:Helmut Sies List of sources From the page: Missvain (talk) 20:22, 12 July 2022 (UTC) * Sources * Linus Pauling Institute Prize for Health Research, accessed March 24, 2022. * Research.com, accessed March 24, 2022. * Research Gate, accessed March 24, 2022. * National Foundation for Cancer Research, accessed March 24, 2022. * Membership in the Northrhine-Westphalian Academy of Sciences, accessed March 24, 2022. * Curriculum Vitae at Leopoldina National Academy of Science, accessed March 24, 2022. * Membership in the German National Academy of Sciences Leopoldina, accessed March 24, 2022. * National Foundation for Cancer Research, accessed January 17, 2022. * German Wikipedia, accessed January 17, 2022. * Heinrich Heine University, accessed January 17, 2022. * PubMed, accessed January 17, 2022. * Google Scholar, accessed March 24, 2022. * Fellow of the American Society of Nutrition, accessed January 17, 2022.
WIKI
Robert Mallet-Stevens Robert Mallet-Stevens (24 March 1886 – 8 February 1945) was a French architect and designer. Early life Mallet-Stevens was born in Paris. His father and his grandfather were art collectors in Paris and Brussels. His great-uncles were the Belgian painters Joseph Stevens and Alfred Stevens. He received his formal training at the École spéciale d'Architecture in Paris, during which he wrote Guerande about relationships between the different forms of art. Career In 1924 Mallet-Stevens published a magazine called La Gazette Des 7 Arts and at the same time with the help of Ricciotto Canudo founded the Club des amis du 7ème art. A Paris street in the 16th arrondissement, Rue Mallet-Stevens, was built by him in the 1920s and has on it six houses designed by him. A portfolio of 32 of Mallet-Stevens' designs was published under the title Une Cité Moderne in 1922. In addition to designing shops, factories, a fire station in Paris, apartment buildings, private homes, and interiors, he was one of the first architects to show an interest in cinema. He designed film sets and his design for Marcel L'Herbier's silent film L'Inhumaine (1924) is considered a masterpiece. In 1929, surrealist photographer and filmmaker Man Ray made a film inspired by his design for the buildings named "Villa Noailles" entitled The Mysteries of the Château de Dé. During his career he assembled a team of artisans and craftspeople who worked with him: interior designers, sculptors, master glaziers, lighting specialists, and ironsmiths. An example of his collaborative nature is provided by the Union des Artistes Moderne (UAM), formed in 1929 by a group of 25 dissidents of the Société des Artistes-Décorateurs (SAD), and presided over by Mallet-Stevens. Legacy Mallet-Stevens ordered that his archives be destroyed upon his death. His wishes were honored and his memory fell into obscurity. A French exhibit of his drawings, models, and actual works at the Centre Pompidou in 2005 sparked public interest in his contributions. Buildings and projects * Villa Paul Poiret (1921–1923), in Mézy-sur-Seine completed in 1932 * Villa Noailles (1923–1928), in Hyères * Villa Cavrois (1929–1932), in Croix * Rue Mallet-Stevens (1927), Paris: * Villa Allatini, Rue Mallet-Stevens 5 * Villa de Daniel Dreyfuss, Rue Mallet-Stevens 7 * Villa Reifenberg, Rue Mallet-Stevens 8 * Villa des Frères Martel, Rue Mallet-Stevens 10 * Villa Mallet-Stevens, Rue Mallet-Stevens 12 * Garage Alfa Romeo, Rue Marbeuf, Paris * House of Louis Barillet, Square Vergennes 15, Paris * Caserne des Pompiers (firestation, 1935), rue Mesnil 8, Paris * Immeuble de rapport de la rue Méchain (1928-1929), in Paris where Tamara de Lempicka used to live until World War II.
WIKI
3 Top Marijuana Stocks to Buy Right Now There was a sense of euphoria among many cannabis investors after Democrats regained effective control of the U.S. Senate as well as the White House. The countdown seemed to be on until major cannabis reforms were passed at the federal level. However, there haven't been any truly meaningful wins at the legislative level so far. That doesn't mean that cannabis companies haven't made significant progress over the last few months, though. Some of them are arguably even more attractive than they were after Election Day. Here are three top marijuana stocks to buy right now. Image source: Getty Images. Trulieve Cannabis It wasn't all that long ago that Trulieve Cannabis (OTC: TCNNF) was essentially a one-state cannabis operator. Granted, the company absolutely dominated the medical cannabis market in that one state -- Florida. And, sure, Trulieve had taken steps to expand into other markets. However, there were some valid reasons to be skeptical about the company's ability to replicate its success beyond Florida. That's no longer the case. Earlier this month, Trulieve announced plans to acquire Harvest Health & Recreation (OTC: HRVSF) in an all-stock transaction valued at $2.1 billion. This deal will add operations in five additional states for Trulieve, including the fast-growing markets in Arizona and Nevada. The acquisition is expected to close in the third quarter of 2021. Assuming there are no roadblocks, Trulieve should soon boost its estimated total addressable market by more than 50%. The combined company will also be the most profitable U.S. multistate operator based on adjusted earnings before interest, taxes, depreciation, and amortization (EBITDA). In the meantime, Trulieve continues to deliver sizzling growth all on its own. The company's sales more than doubled year over year in the first quarter thanks mainly to expansion in Florida. Trulieve also posted strong earnings growth. The addition of Harvest will make this winning marijuana stock even more attractive. Jushi Holdings Although there hasn't been tangible progress in recent months at the federal level in improving the outlook for the U.S. cannabis industry, it's a different story at the state level. For example, Virginia's legislature voted to legalize adult-use recreational marijuana. That should present a great opportunity for Jushi Holdings (OTC: JUSHF). Virginia isn't exactly in a hurry. The state's adult-use market won't open until 2024. However, that actually could work to Jushi's advantage. The company already owns a medical cannabis license in northern Virginia, home to almost 30% of the state's population. Look for Jushi to build up its brand in the medical cannabis market over the next couple of years. That could give it a strong competitive position for the recreational market that's on the way. Jushi's growth prospects aren't dependent just on Virginia, though. The company has operations in California, Illinois, Nevada, and Pennsylvania with acquisitions pending in Massachusetts and Ohio. Scotts Miracle-Gro Investors who might be a little skittish about buying shares of a pure-play pot stock have several appealing alternatives. I think that Scotts Miracle-Gro (NYSE: SMG) ranks as one of the best. You're probably at least somewhat familiar with Scotts' line of consumer lawn and garden products. That business remains the company's biggest source of revenue, generating roughly three-quarters of total sales in the latest quarter. However, Scotts' main growth driver now is its Hawthorne segment. Hawthorne is a leading supplier of hydroponics and gardening products to the cannabis industry. Its revenue soared 66% year over year in Scotts' fiscal second quarter. CEO Jim Hagedorn said in the company's Q2 conference call, "Whether we see federal reform with this administration or not, clearly the momentum at the state level is not slowing down. We'll see more markets open and create more opportunities for growth." I think he's right. Here's The Marijuana Stock You've Been Waiting For A little-known Canadian company just unlocked what some experts think could be the key to profiting off the coming marijuana boom. And make no mistake – it is coming. Cannabis legalization is sweeping over North America – 15 states plus Washington, D.C., have all legalized recreational marijuana over the last few years, and full legalization came to Canada in October 2018. And one under-the-radar Canadian company is poised to explode from this coming marijuana revolution. Because a game-changing deal just went down between the Ontario government and this powerhouse company...and you need to hear this story today if you have even considered investing in pot stocks. Simply click here to get the full story now. Learn more Keith Speights has no position in any of the stocks mentioned. The Motley Fool owns shares of and recommends Jushi Holdings, Scotts Miracle-Gro, and Trulieve Cannabis Corp. The Motley Fool has a disclosure policy. The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc.
NEWS-MULTISOURCE
Al Hoffman Jr. Alfred Hoffman Jr. (born March 27, 1934) is an American businessman and politician. He is a real estate developer and a former Ambassador to Portugal. Early life Hoffman was raised on the south side of Chicago, the youngest of seven children. His father, a Jewish Austrian, emigrated to the United States in 1906 and opened a poultry store, while his mother was a Scottish-American immigrant who grew up in Kentucky. Hoffman graduated from Morgan Park Military Academy in 1952, and was accepted to the United States Military Academy that same year. He became a captain in the Air Force, where Hoffman flew F-100s. Instead of continuing his career in the air force, Hoffman attended Harvard Business School, where he became interested in real estate development. Career After leaving Harvard, Hoffman got a job for KB Homes, a developer in Detroit, Michigan. Hoffman rose to the rank of executive vice president. In 1967, Hoffman founded his own firm, Tekton Corp, which he sold to another company in 1970. In 1975, Hoffman founded another development company, Florida Design Communities, which bought land from struggling companies. In 1995, Hoffman and Don Ackerman bought Westinghouse Communities, which they renamed to WCI Communities. In 2002, The Washington Post described Hoffman as the most influential developer in the state of Florida. Hoffman's development activities were criticized by many environmentalists. Hoffman sold his stake in WCI in 2005 to become the Ambassador to Portugal, a post he held until 2007. In 2008, Hoffman founded Hoffman Partners, another real estate development company. Other activities Hoffman served as co-chair of George W. Bush's 2000 campaign for president, and also served as finance chair of the Republican National Committee and the chairman of Florida Governor Jeb Bush's re-election campaign. Hoffman fundraised for John McCain's 2008 candidacy and Mitt Romney's 2012 candidacy. Hoffman donated $1 million to Right to Rise, a Super PAC supporting Jeb Bush's 2016 presidential candidacy. Hoffman served as chairman of Marco Rubio's successful 2010 Senate candidacy, but tried to dissuade Rubio from running for president in 2016. In 2010, Hoffman put his $10 million home in Fort Myers, Florida up for auction, and moved to Palm Beach, Florida. Following a February 2018 school shooting in Florida, Hoffman publicized an email sent to Florida governor Rick Scott and former governor Jeb Bush, among others, pledging to no longer fund legislative groups or candidates who were not actively working to ban sales of military-style assault weapons to civilians. "For how many years now have we been doing this — having these experiences of terrorism, mass killings — and how many years has it been that nothing's been done?" Hoffman said. "It's the end of the road for me."
WIKI
[Webkit-unassigned] [Bug 209236] REGRESSION(r249808): [GTK] Crash in JSC Config::permanentlyFreeze() on architecture ppc64el bugzilla-daemon at webkit.org bugzilla-daemon at webkit.org Thu Mar 19 18:26:36 PDT 2020 https://bugs.webkit.org/show_bug.cgi?id=209236 --- Comment #39 from Michael Catanzaro <mcatanzaro at gnome.org> --- Here's an initial patch. Mark, any idea what's up with WTF::pageSize() vs. WTF::vmPageSize()? They do the same thing on all platforms except iOS family, where pageSize() uses the userspace page size (16 KiB, vm_page_size) whereas vmPageSize() uses the kernel page size (4 KiB, vm_kernel_page_size). That's a strange difference. At first I had implemented vmPageSize() for OS(UNIX), but eventually I realized I could just get rid of that because it's really only needed in ResourceUsageCocoa.cpp, and changed JSCConfig to use pageSize() rather than vmPageSize(). Should be fine for iOS family because roundUpToMultipleOf(4 KiB, 16 KiB) == roundUpToMultipleOf(4 KiB, 16 KiB) == 16 KiB. I wound up not touching vmPageSize() at all, but it seems really suspicious to me. There's also bmalloc::vmPageSize(), which is the same as WTF::pageSize(), i.e. on iOS bmalloc::vmPageSize() returns a different value than WTF::vmPageSize() because bmalloc uses the userspace value while WTF uses the kernel value.) Behavior change: I reduced the size of JSCConfig from 16 KiB down to 4 KiB on macOS and most Linux architectures. I assume that makes sense because there's no reason for it to be any bigger than a single page, yes? I can be the hero who saved 12 KiB per web process? Then I made no behavior change in MarkedBlock.h. I used std::max(16 * KiB, CeilingOnPageSize) there, which I assume that makes sense because any changes there would affect object fragmentation, which could have performance impacts. Didn't want to mess with that. Oh, and I changed pageSize() to use sysconf(_SC_PAGESIZE) instead of getpagesize() just because that's deprecated. And added RELEASE_ASSERTs in pageSize(). Let's see if EWS likes it.... -- You are receiving this mail because: You are the assignee for the bug. -------------- next part -------------- An HTML attachment was scrubbed... URL: <http://lists.webkit.org/pipermail/webkit-unassigned/attachments/20200320/5874dc07/attachment-0001.htm> More information about the webkit-unassigned mailing list
ESSENTIALAI-STEM
MATLAB Answers Making contours in polar plot 4 views (last 30 days) Muhammad Khan Muhammad Khan on 26 Mar 2020 Commented: John D'Errico on 1 Apr 2020 How can i connect the boundary of scatters (only maximum values) with a line? Required line is denoted with "Black Line" in below figure. Please guide me.   2 Comments John D'Errico John D'Errico on 26 Mar 2020 Your question makes no sense. The "contour" of points within a distance of 100 meters from the polar origin is simply a circle of radius 100. The same applies for 200, and 300. Just draw circles of the corresponding radius. Problem solved. No? In fact, it would seem that if you drew any other shape for those contours, you would be doing something that as I said, makes no sense. The shape that has all points within a fixed distance from the origin is indeed a circle. It cannot be anything else. Muhammad Khan Muhammad Khan on 26 Mar 2020 Dear John D'Errico I have edited the post for better readability. Actually I want to connect the boundary of scatters (only maximum values) with a line? Required line is denoted with "Black Line" in above figure. Please guide me. Thanks in advance Sign in to comment. Answers (1) John D'Errico John D'Errico on 26 Mar 2020 Edited: John D'Errico on 26 Mar 2020 You could at least spell my name right, since you had it right in front of you. Regardless, it turns out that you changed your question, wanting to do something completely different from a contour plot in polar coordiantees. (The original question was indeed about contour plots.) You have polar form data, so as a function of angle (here, wind direction), you have a parameter called FETCH2. Now you are asking how to create the envelope of that data in polar form. That is simply the local maximum for FETCH2, as a function of angle. I would show how to do it, except that your data is not what you plotted. In fact, the data is quite different from what your picture shows. However, the answer will still be the same. I would simply estimate the maximal value of FETCH2 as a function of angle. Don't do that using a set of TESTS for each angular bin!!!!!!! In fact though, your data is NOT what you show it to be. It is NOT a nice uniform thing in polar coordiantes. In fact, you have very little data between some angles. The problem is you used polarscatter INCORRECTLY!!!!!!!!!! Read the help! Polarscatter and polarplot both assume the angle is in radians, NOT in degrees. Here is your data, plotted now correctly in terms of RADIANS, when converted from degrees. polarscatter(WD1*pi/180,FETCH2) hist(WD1,50) So you have essentially no data measured between roughly 120 degrees and 180 degrees. Polarscatter does not automatically infer that the data looks like it is scaled to be degrees, so use it as degrees. It should never try to be that intelligent, because you might not want that to be done. In fact, the documentation for those tools explicitly states you need to provide angular information in terms of degrees, NOT radians. You might ask why it is that polarplot indicates the angles as degrees on the plot, when it really wants radians as input, but that would be a valid question for the person who wrote the code. It sort of makes some sense, since we usually think of a polar plot in terms of degrees, so it labels the plot in degrees. The documentation should be wildly more clear about the presumption of radians as input however. Not my problem though. Finally, there is the problem of how to generate that envelope. Remember that you have essentially no data for wide expanses of polar angle. This is more difficult, since you have so little data for much of the polar plot. It arguably makes very little sense to try to determine what is the maximum of that relationship near 150 degrees, since you have absolutely no data in that vicinity.   2 Comments Muhammad Khan Muhammad Khan on 26 Mar 2020 Dear John D'Errico, First of all please accept my apology for typing mistake in your name. It would be much help If you could estimate for me the "maximal value of FETCH2 as a function of angle". For region with no data (near 150 degree), please calculate the maximum value between 200 meters and 300 meters and connect those maximum values with line. It would be much appreciated. Thanking you in anticipation. Regards John D'Errico John D'Errico on 1 Apr 2020 I cannot estimate it, as you have no data even remotely in the vicinity. Did you delete your data? It looks like you did, but luckily my history in MATLAB allowed me to recover it. plot(WD1,FETCH2,'.') As I said, you have no data in the region between 120 and 180 for WD1. So, is the maximum in that region as low as the roughly 2 data points in that region? Or would you choose to pick some arbitrary higher value? The best way to solve your problem is logically to get better data, rather than making up a number. An alternative might be to find the maximum value of FETCH2, as a function of angle within some tolerance in angle, perhaps +/- 15 degrees. The problem is, this may leave some regions with no data at all. What is the largest hole where we find no data at all? max(diff(sort(WD1))) ans = 27.128 So there is one interval where no data at all is seen over a 27 degree angular span. A +/- 15 degree window (thus a window of width 30 degrees) would then be just large enough that there would always be at least one data point in any interval. Sign in to comment. Products Release R2018a Community Treasure Hunt Find the treasures in MATLAB Central and discover how the community can help you! Start Hunting!
ESSENTIALAI-STEM
Page:A tour through the northern counties of England, and the borders of Scotland - Volume I.djvu/105 about his head; such being the vision (according to his account to his valet) that had appeared, and notified to him he should die at a particular hour. To afford encouragement and corroboration to virtue, it may be well for it to recoiled!:, that there is no guilt without horror, no vice without remorse. Amidst all those corruscations of wit, and flashes of merriment, which incessantly emanated from this young and gallant nobleman, his heart was wrung with everlasting care, and his soul harrowed by superstitious alarms. Of the truth of this assertion the following is a remarkable instance:—A few months before he died, he made a visit to the seat of Lord, an old friend and neighbour. The mansion is old and gloomy, and well calculated to affect an imagination that could be easily acted upon; the spirits of his lordship appeared to be agitated on entrance, but after a time his accustomed hilarity returned, the magic of his tongue enraptured the circle; and all, apparently, was festivity and delight. As the night waned and the hour of repose approached, his lordship's powers of conversation became still more extraordinary; the company were rivetted to their chairs, and as often as the clock admonished them to depart, so often did he prevail upon them to forget the admonition, by a fresh stock of anecdote, or a
WIKI
Talk:Fauna (deity) Bona Dea and Marica Fauna, sometimes called Bona Dea and Marica, was a goddess of fertility, healing, virginity and women. -- Perfecto 20:22, 5 November 2005 (UTC) Merger The Bona Dea and Marica articles are both longer than this one. The Bona Dea one also shows up on a template of the gods. Should the merger go that way instead? Tedernst 22:31, 15 November 2005 (UTC) * I think that they are two different gods and they should have two different pages. Do you merge President Bush Jr with Bush Sr because they are father and son. No. — Preceding unsigned comment added by <IP_ADDRESS> (talk • contribs) 22:14, 1 December 2005 * I disagree with this merger, the Fauna (goddess) page needs to stay there as a disambiguation page which I have now turned it into. I have also cleaned up the Marica page a bit as well. Fosnez 13:00, 24 March 2006 (UTC) * Removing the templates. Ashibaka tock 16:12, 27 March 2006 (UTC) Well, I just looked up "marica" to find out if it really meant "gay" in south america. It does, so now that song makes way more sense... If you merged them, it would be really hard to find that out... just saying. I don't think it should be merged. — Preceding unsigned comment added by <IP_ADDRESS> (talk • contribs) 04:50, 14 March 2006 Change to redirect Fauna was not mentioned at all but one of the dab page entries, making them unsuitable, so I changed it to a redirect to the final remaining one. --MegaSloth (talk) 11:04, 29 January 2011 (UTC) * The identity of Fauna is problematic. I'll try to provide some sources to sort this out well enough for the present, but the page shouldn't be merged to anything without reference to scholarship. Cynwolfe (talk) 22:20, 5 February 2011 (UTC) Entanglement with Bona Dea This is a tricky business. I don't know if negative evidence counts - somehow I doubt it, but please bear with me. In developing the Bona Dea article, I'm using Brouwer (see that article's refs) as central resource. Among the 141 Bona Dea dedications he lists, none mention Fauna, or her "alternative" names and titles. She (and they) seem to be found only in literary sources, from Varro on. Brouwer claims his lists as exhaustive, per date of publication. Just saying, really. Haploidavey (talk) 17:23, 6 February 2011 (UTC) * Macrobius seems pretty straightforward, and cites the libri pontificales. What I haven't found is an identification with Terra per se, but I didn't look very diligently. It sounds as if M's list of names are circumstantial invocations, dare I say indigitamenta? Cynwolfe (talk) 19:04, 6 February 2011 (UTC) * Doh! Yes, it does. I've been as diligent as I'm able, and have come up with nothing more. At least, not at the pace I work, and I can barely get my head around B. Dea, let alone this material. We can still have a serviceable article here, but it might help to remove the "shortlisted" and linked items from the beginning of the article and embed a very small para for each. Or so I opine. Not that I'm volunteering. At least, not yet. Haploidavey (talk) 00:11, 7 February 2011 (UTC) I dislike barging in other people's talk, however for the sake of the reader I must repeat for nth time that this entry is wrong: Macrobius states inequivocally that Bona Dea (as well as Ops, Fauna and Fatua), is/are an indigitation of Maia and not viceversa.Aldrasto11 (talk) 11:13, 8 February 2011 (UTC) * Uh, Aldrasto, the article doesn't mention Maia at all. It just says that Macrobius says that Bona Dea, Ops, Fauna, and Fatua are names for the same goddess, according to the pontifical books (hanc eandem Bonam Faunamque et Opem et Fatuam pontificum libris indigitari). Perhaps it should say that "the same goddess" is Maia, but that isn't what the secondary source (Kaster) said. I'm not particularly interested in this article and encourage you to do whatever to it. I only did some triage because its contents had been deleted and changed into a mere redirect to Bona Dea. Cynwolfe (talk) 15:05, 8 February 2011 (UTC) Cleanup I cleaned up the article, moving detailed citations of ancient sources to footnotes instead of jamming up the text, for instance. The article should not present undigested passages for the reader to assemble, but rather summarize them via secondary sources. I don't know what to do with this paragraph: One may also compare the archaic god Fonio, the dedication "Fonibus" from Aquileia (CIL V 8250) and the inscription on one of the four cippi from the sanctuary of Bagnacavallo in Romagna, which reads Quies... Fone. It looks these deities were associated with the idea of protection from perils and with healing practices, sometimes hydrotherapy. In the Iguvine Tablets VIa 30 fon(e)s means favourable, propitious. Francis Newman argues it is the Umbrian equivalent of Latin bonus. The argument seems to be that perhaps the god known as Fons or Fontus is related to Faunus? I can't tell. Seems a bit off-topic for Fauna. Cynwolfe (talk) 16:04, 19 September 2011 (UTC) Templates This little article hardly needs two templates. Fauna is not a goddess with a lot of "mythology" as such; she's a rather ambiguous figure of ancient Roman religion, which the vertical template covers. Cynwolfe (talk) 11:42, 10 October 2013 (UTC) * Fauna is a goddess said in differing ancient sources to be the wife, sister, or daughter of Faunus. Faunus is god of mithology, and template:roman religion is not only for mithology, template is abaut Roman mythology and religion.--Gaga.vaa (talk) 11:50, 10 October 2013 (UTC) * I think you're confusing religion and mythology. Fauna was a goddess who was part of ancient Roman religious beliefs and practices. Myths are narratives: can you point to stories in which Fauna is a character? To the best of my knowledge, she is just mentioned here and there in her religious functions, and has no "mythology" in the proper sense of "a body of narratives". Cynwolfe (talk) 11:55, 10 October 2013 (UTC)
WIKI
Guru (miniseries) Guru is a 2022 three-part drama television series developed and produced by Dramedy Productions. The authors of the project Jan Coufal, Filip Bobiňski and Petr Šizling entrusted Jan Coufal's script to director Biser Arichtev. The series was filmed under the Voyo Original brand and published on the Voyo platform. After the series The Roubal Case, it is the second series filmed under the banner Voyo Original. The series was inspired by real events, especially the character of Jaroslav Dobeš (known as Guru Jara), who practiced the so-called "unhooking" method and raped his female clients. Anna Fialová, Vojtěch Kotek, Zuzana Stivínová, Kristýna Podzimková, Lukáš Melník and Martin Myšička appeared in main roles. The first episode was published on Voyo on 14 January 2022. The last part was released on 28 January 2022. Cast * Anna Fialová as Alice Balvínová * Vojtěch Kotek as guru Marek Jaroš * Zuzana Stivínová as major Mgr. Petra Malá, vyšetřovatelka * Kristýna Ryška as Klára Plíšková, Markova spolupracovnice * Lukáš Melník as Radek, bývalý partner Alice * Martin Myšička as státní zástupce Pavel Vágner * Alžběta Malá as Kamila, studentka * Lucie Štěpánková as Magda, Kamilina matka * Vasil Fridrich as Milan, Kamilin otec * Denisa Barešová as Aneta, Alicina spolubydlící * Martina Czyžová as Alicina spolubydlící * Jiří Roskot as Karel * Adéla Petřeková as vyšetřovatelka * Marek Pospíchal as vyšetřovatel * Michal Isteník as nadpraporčík Mgr. Doležal * Kryštof Bartoš as Dušan * Elizaveta Maximová as Zuzana * Jan Novotný as soudce * Petr Meissel as Jiří
WIKI
Category:Prisoners and detainees of Syria Prisoners and detainees held by Syria. For prisoners and detainees of Syrian nationality, see Category:Syrian prisoners and detainees.
WIKI
Mitt Romney operates secret Twitter account to slam Trump and critics Mitt Romney admitted that he operates a secret Twitter account where he slams President Donald Trump's policies and defends himself against critics and journalists. An account which operated under the handle @qaws9876 was discovered by Slate's Ashley Feinberg and was used mainly to defend Romney and like dozens of tweets from Romney's official accounts. Romney, one of few Republicans in Congress who has openly criticized Trump, admitted that he operated a "lurker" account on Twitter to The Atlantic's McKay Coppins in a profile published by the outlet on Sunday.Trump has recently traded barbs with Romney on Twitter, calling Romney a "pompous ass" who "choked" during the 2012 presidential election. Visit Business Insider's homepage for more stories.Mitt Romney admitted that he operates a secret Twitter account where he slams President Donald Trump's policies and defends himself against critics. Slate's Ashley Feinberg uncovered an account which operated under the handle @qaws9876, and went by the name Pierre Delecto. The account, which has since been made private, joined Twitter in July 2011, one month after Romney announced his presidential campaign. According to screenshots of the account provided by Slate, Delecto's Twitter activity involved defending Romney against critics, slamming Trump's policies including his decision to withdraw US troops from Syria, and liking dozens of tweets from official Mitt Romney pages. Romney, one of few Republicans in Congress who has openly criticized Trump, admitted that he operates a "lurker" account on Twitter to The Atlantic's McKay Coppins in a profile published by the outlet on Sunday.Read more: Mitt Romney said everyone in the Senate is 'really nice' except for Bernie Sanders, who 'just kind of scowls'"I won't give you the name of it," he told The Atlantic, but "I'm following 668 people," which he said included journalists and late-night comedians like Conan O'Brien, which seemed to generally fit the description of the Delecto's account found by Slate. When asked by Coppins on Sunday if he indeed operated the Pierre Delecto account, Romney responded with "C'est moi," which is French for "it's me." Trump has recently traded barbs with Romney on Twitter after Romney called Trump's appeal to China and Ukraine to investigate former Vice President Joe Biden "wrong and appalling." Trump's call to Ukrainian President Volodymyr Zelensky sparked Democrats to open an impeachment inquiry. Trump responded to Romney's criticism by calling the Utah senator a "pompous ass" and suggested that he "begged" for Trump's endorsement during his senate run.
NEWS-MULTISOURCE
Questions about interfacing Mathematica and Java, particularly using J/Link. learn more… | top users | synonyms (1) 2 votes 2answers 238 views Running Mathematica via JLink from a Servlet on Tomcat 7 Problem I'm trying to make a java servlet running on Tomcat 7 for specilized mathematical calculations. So I want to link Wolfram Mathematica 8.0 mathkernel from my servlet via JLink (webMathmatica is not an ... 2 votes 1answer 77 views How to get a audio file's duration time in Mathematica? I have a *.avi file and if I want to know the file's duration time: I can use this code to get the result: Import["test.avi", "Duration"] or the code to get the ... 2 votes 1answer 42 views JLink does not preserve the input cell number I use JLink for connecting to the Mathematica kernel and evaluate some expressions. The In[] prompt is not continuous - it has step 3. I.e. the first expression is In[1] and after the evaluation the ... 2 votes 1answer 79 views JLink function not producing result I have a simple JLink function as follows: ... 2 votes 1answer 190 views Java Heap Space Error on data insertion over SQL Server I'm trying to insert 2-milliion lines into a SQL Database, and get this error: JDBC::error: Java heap space The insert is a standart Mathematica SQL statement: ... 2 votes 1answer 108 views J/Link: InstallJava[..] or ReinstallJava[..] hangs when used with a link to a remote jvm running Install.main While I am able to use InstallJava[] (or ReinstallJava[] for that matter) with a TCP/IP link to a JVM running on the same system ... 2 votes 2answers 114 views J/Link: getArray2() returns wrong array I want to convert a matrix from Mathematica to an int[][] in Java. I use the code below: ... 2 votes 1answer 103 views MathGraphicsJPanel no output I am trying to create a Java frontend for Mathematica. Following examples from J/Link guide and looking around the API manual I came up with this code: ... 2 votes 0answers 90 views Graphics always rendered twice with SimpleFrontEnd example? I am looking at the Java SimpleFrontEnd example provided by Mathematica. Everything goes well except it always renders graphics twice. Can anyone help me with ... 2 votes 1answer 172 views Executing C programs within mathematica [duplicate] I have a requirement for executing a C program within Mathematica. The user will provide the inputs and the expected results on a front end. Mathematica runs the C file, obtains the result for the ... 2 votes 0answers 472 views mathematica startup time I have Mathematica 7 and 8 installed on my laptop. Mathematica 7 starts quite fast, but Mathematica 8 is extremely slow to start. In the Option Inspector I canceled the "welcome screen" option at ... 1 vote 1answer 286 views Calling Mathematica from Java I'm trying to write a Java program that uses Mathematica code, but when I compile it, a window appears asking for MathLink. I enter ... 1 vote 1answer 288 views Wolfram Workbench problem with JLink I'm working on Wolfram Workbench 2.0 and I'm creating a JLink Application project. Below there is the code: ... 1 vote 0answers 53 views using Mathematica library in Java I am trying to build a Math expression calculator in Java. Is any way for using Mathematica libraries in Java program without ... 1 vote 0answers 32 views Using GUI with JLink How to handle Input/Manipulate expressions using JLink? Say I want to handle the $Input[]$ expression sent via JLink to the MathKernel. Currently the my app blocks on waiting the response. How this ... 1 vote 1answer 69 views Problem with loading a Jar file in Workbench I'm trying to load a Jar file in a Workbench project using (after importing "JLink`" in the package declaration): ReinstallJava[ClassPath->"pathToMyJar"]]; In ... 1 vote 0answers 28 views How to call a java method that takes a boolean (not Boolean)? I'm trying to call a method on a java object that takes a single boolean argument - note boolean (native or primative) not Boolean (Object or Reference type). ... 1 vote 0answers 45 views Is there any metadata-holding mechanisms in Mathematica programming similar to Java annotations? I'm re-implementing some tools previously implemented in Java in Wolfram Language. Is there any metadata-holding mechanisms in Mathematica programming similar to Java annotations? 1 vote 0answers 44 views Clojuratica setup in Windows I have been trying to setup Clojuratica on Windows using instructions from Clojure Data Analysis Cookbook and http://drcabana.org/2012/10/23/installation-and-configuration-of-clojuratica/ Each time I ... 1 vote 0answers 135 views InstallJava::fail error when importing an image with a Raspberry Pi I'm trying to import an image in Mathematica on my Raspberry Pi. The code is simple but I get an error when importing: ... 1 vote 0answers 67 views Creating a Mathematica executable that uses JLink [duplicate] I am making a program in Mathematica that uses the Robot class of Java and some other Mathematica functions. I want the end product to be a standalone executable that can run even if a computer does ... 0 votes 2answers 3k views KeyPress function in Java's Robot class, how to state parameter? I am trying to use Java's Robot class to type. This is what I have done so far. Needs["JLink`"]; InstallJava[]; robot = JavaNew["java.awt.Robot"] The mouseMove ... 0 votes 0answers 20 views how can sent data to Mathematica and get result in java? [duplicate] I try to develop an math script calculator in java. My script has advance math functions and I can't calculate them in java.(for example limit, plot, ... ) Is any way for sending script to ... 0 votes 0answers 31 views JLink-Java Console cann't show Chinese characters My version is mathematica 10 on windows 8.1 x64 中文 Chinese character can't be shown in the console correctly. Any methods to overcome this problem? It seems the ... 0 votes 0answers 55 views Lightweight Grid preferences screen stopped working after v10 install I am getting the following error when I try to open the Lightweight Grid "Preferences" tab... ... 0 votes 0answers 53 views Evaluating expressions stored in notebook from Java The Mathematica kernel can generally open a notebook and evaluate the functions present in the notebook using UsingFrontEnd Command. Example: ... 0 votes 0answers 66 views JLink Get ALL output from a mathematica command I have the following code (Java code using JLink). ... 0 votes 0answers 38 views Problem to connect remote Mathematica Kernel using J/Link [duplicate] Possible Duplicate: Failed to connect remote Mathematica kernel using J/Link I'm trying to connect to a remote Mathematica 8 kernel on windows server (IP :172.20.48.113 ) from a windows ...
ESSENTIALAI-STEM
Commands Essentials  CLEAR  Clears the scrollback of the selected view.  CLEARALL  Clears the scrollback of all views on the selected network.  CONNECT  Connects to the selected network.  CTCP [nickname] [command] [extra]  Sends a Client-to-Client (CTCP) request to [nickname] for [command] with optional data. Example: /ctcp ExampleUser VERSION Example: /ctcp ExampleUser PING 1375888900  DISCONNECT  Disconnects from the selected network.  IGNORE [nickname]  Adds [nickname] to your ignore list. Example: /ignore ExampleUser  INVITE [nickname]  Invites [nickname] to a channel. Example: /invite ExampleUser #igloo  JOIN [channel[,channel]] [key[,key]]  Joins channel(s) with optional key(s). Example: /join Example: /join #igloo Example: /join #igloo,#other p4ssw0rd,s3cr3t Aliases: /j  LIST  Retrieves a list of channels on the selected network.  ME [message]  Sends a message ([message]) to the selected channel as an action. Example: /me borrowed a lot of this documentation from Textual  MESSAGE [target[,target]] [message]  Sends a message ([message]) to [target] without opening a query window. Example: /message #igloo This is a channel message! Example: /message ExampleUser This is a private message! Aliases: /msg  MODE [channel] [flags] [arguments]  Sets mode(s) on [channel] or retrieve those that are set. The modes that are available will vary from server to server. Example: /mode #igloo Example: /mode #igloo +m Aliases: /m  NICK [nickname]  Sets your nick to [nickname]. Example: /nick NewNick  NOTICE [target[,target]] [message]  Sends a message ([message]) to [target] as a notice. Example: /message #igloo This is a channel notice! Example: /message ExampleUser This is a private notice!  PART [channel[,channel]] [reason]  Leaves channel(s) with optional reason. This command does not remove the channel from the channel list. Example: /part Example: /part #igloo Example: /part #igloo,#other Bye! Aliases: /p, /leave  QUERY [nickname] [message]  Opens a query (also known as a "private message") with [nickname] and sends an optional message ([message] if included). Example: /query ExampleUser  QUIT [reason]  Disconnects from the selected server with optional reason. Example: /quit Example: /quit Bye!  QUOTE [input]  Sends data to the selected server without Igloo modifying it. Example: /quote JOIN #igloo Aliases: /raw  READALL  Resets all channel counts on the selected network.  REJOIN  Rejoins the selected channel. Example: /rejoin Aliases: /hop, /cycle  TOPIC [channel] [topic]  Retrieve the topic of [channel] or set [topic] as its topic. Example: /topic #igloo Example: /topic #igloo This will be the new topic! Aliases: /t  UMODE [flags] [arguments]  Sets mode(s) on self or retrieves those that are set. The modes that are available will vary from server to server. Example: /umode Example: /umode +G  UNIGNORE [nickname]  Removes [nickname] from your ignore list. Example: /unignore ExampleUser  WHOIS [nickname]  Retrieves information about [nickname]. Example: /whois ExampleUser  WHOWAS [nickname]  Retrieves information about [nickname] after they've disconnected if the server supports this command. Example: /whowas ExampleUser Channel Operators  BAN [nickname/hostmask]  Adds [nickname/hostmask] to the ban list of the selected channel. Example: /ban ExampleUser Example: /ban *!*@example.com  DEHALFOP [nickname]  Takes away half-op (+h) from [nickname] in the selected channel if the server supports this mode. Example: /dehalfop ExampleUser  DEOP [nickname]  Takes away operator (+o) from [nickname] in the selected channel if the server supports this mode. Example: /deop ExampleUser  DEVOICE [nickname]  Takes away voice (+v) from [nickname] in the selected channel if the server supports this mode. Example: /devoice ExampleUser  HALFOP [nickname]  Gives [nickname] half-op (+h) in the selected channel if the server supports this mode. Example: /halfop ExampleUser  KICK [nickname] [comment]  Kick [nickname] with optional [comment]. Example: /kick ExampleUser Example: /kick ExampleUser Bye!  KICKBAN [nickname] [comment]  Kick and ban [nickname] with optional [comment] Example: /kickban ExampleUser Example: /kickban ExampleUser You are not wanted here! Aliases: /kb  OP [nickname]  Gives [nickname] operator (+o) in the selected channel if the server supports this mode. Example: /op ExampleUser  UNBAN [nickname/hostmask]  Removes [nickname/hostmask] from the ban list of the selected channel. Example: /unban ExampleUser Example: /unban *!*@example.com  VOICE [nickname]  Gives [nickname] voice (+v) in the selected channel if the server supports this mode. Example: /voice ExampleUser Useful Information  DEVICE  Outputs information about your iPhone or iPad like your model and iOS version.  LAGCHECK  Calculates the latency between Igloo and selected server. The result of this command is seen only by you.  LAUNCHLAG  Outputs how many messages Igloo is storing in it's database, and how long it took to load them on last launch.  MYLAG  Calculates the latency between Igloo and selected server. The result of this command is sent to the selected channel.  RUNCOUNT  Outputs how many times you've launched Igloo.  SHARE  Outputs your Igloo version and a link to download Igloo.  SYSINFO  Outputs information about your iPhone or iPad. Your Igloo version and chosen theme, your device model and iOS version, your battery percentage, and uptime.  UNAME  Outputs your uname (short for unix name).  UPTIME  Outputs how long your iPhone or iPad has been powered on. Apple Music Integration  NEXT  Skips to the next track.  NOWPLAYING  Outputs information about the current song that's playing. Aliases: /np, /music  PAUSE  Pauses the currently playing music.  PLAY  Plays the currently paused music.  PREVIOUS  Skips to the previous track. Aliases: /prev Fun Stuff  DEBUG  Watch the raw IRC messages being sent and received by Igloo.  DISEMVOWEL [message]  A completely useless command that removes all vowels from [message] before sending. Example: /disemvowel This will have no vowels!  ENCHODE [message]  Sends [message] enchoded. Have a read about "Cocktography" here. Example: /enchode This will be enchoded!  ENCHODES [stroke] [message]  Sends [message] enchoded stroked [stroke] times. Have a read about "Cocktography" here. Example: /enchodes 5 This will be enchoded with 5 strokes!  GRAB [nickname]  Grabs [nickname] by the you know what. (Inspired by our 45th President). Example: /grab ExampleUser  GREENTEXT [message]  Prepends [message] with > and makes it green of course. Used to criticise or ridicule something said.  SHRUG  Sends ¯\_(ツ)_/¯ to the selected view. Example: /shrug  SLAP [nickname]  Slaps [nickname] with a random fish. Example: /slap ExampleUser  SPOILER [message]  Sends [message] with black foreground and background colors.
ESSENTIALAI-STEM
-- Podesta Says ’Disaster’ to Delay Fiscal Reckoning (Transcript) John Podesta, a White House chief of staff to former President Bill Clinton , said in an interview on Bloomberg Television’s “Political Capital With Al Hunt ,” airing this weekend, that a significant postponement of spending cuts and tax-cut expirations set to kick in Jan. 1 would be a “disaster” for U.S. fiscal credibility and for President Barack Obama ’s ability to govern if elected to a second term. (This is not a legal transcript. Bloomberg LP cannot guarantee its accuracy.) AL HUNT: We begin the show with the chairman of the Center for American Progress, former White House chief of staff under President Clinton, John Podesta. Thank you for being with us, John. Let’s start with the jobs report on Friday, another dreary jobs report. This is a really sluggish economy for a president running for re-election, isn’t it? JOHN PODESTA : Well, certainly a sideways job report. We’ve had 28 months of job growth, and we’ve had private-sector job growth now that’s - that’s outpaced the job loss during Obama’s term. But I think, as I said, it’s sideways. He’s certainly hoping - HUNT: And a bad number for his re-election prospects? PODESTA: Well, I think it’s - you know, it’s - this is all about expectations, and I think people had begun to think that we might turn into a recession. And it looks like, notwithstanding the headwinds that the U.S. economy is facing from the global economy, and particularly from Europe , the recovery is still intact and we’re still - and we’re still putting jobs on the board. Manufacturing was up again. So I think it’s - it’s a kind of middling jobs report from him. He’s got to be concerned about it. I think he would have hoped for more, but - but I don’t think it’s a disaster, either. HUNT: Republicans say, though, it underscores the point they’ve been making. You cannot increase taxes with this kind of weak economy and it’s a gift for them. PODESTA: Well, you know, I think that - first of all, it’s the ideas that Romney’s put forward in this campaign and his record in the past that I think will become the issues in the fall. And I think that what he’s suggesting for the American economy would be devastating for job creation , particularly the deep structural cuts in innovation and education and places where, in fact, the economy’s the weakest. Of course, one of the big overhangs here is we again lost jobs at the state and local government level in this report. And what he would do is to tank that even more. So I think with that level of deep and structural cutting, particularly, again, to state and local government, I don’t think that this economy can ever take off. HUNT: Well, as you know, fiscal D-Day less than six months away, sequestration, spending cuts supposed to take effect, Bush - all the tax cuts expire on Jan. 1. There are a number of people on Capitol Hill , including some Democrats, who say we don’t need this kind of uncertainty right after an election. We ought to - we ought to postpone those effective dates for three or six months. Should the White House consider that? PODESTA: Well, you know, I think that the president wants to get a deal - a framework agreement. I think they’re considering whether they can do that in the lame-duck session. You know, I’m skeptical about the timing of that, whether they can actually put that deal together in the lame-duck. But I think what they can’t afford to do is kind of keep putting this day of reckoning off further and further into the future. HUNT: So it’d be a mistake to take a postponement right now or a delay right now? PODESTA: You know, if - yeah, I think you have to judge these things by the term of the delay, if you will. I would say, they’re better off trying to use the deadline that’s looming to get a framework agreement along the lines, at least structurally along the lines of - of Bowles-Simpson, but I think that I would definitely not go for a long-term extension. If, you know, the Republicans were talking about nine-month extension, I think that would be a disaster for -for the credibility of the - of the government overall and for the Obama administration’s capacity to govern in - in a - in a post-election framework. HUNT: Let me go to the health-care ruling. For all the Democratic celebration that affordable health care was upheld, there are some who think it’s a trap. With John Roberts calling it a tax, it has now made Barack Obama look like a big tax increaser. Is it a trap for the Democrats? PODESTA: Well, what it’s done in the most immediate aftermath has made Mitt Romney look like a flip-flopper once again. He can’t really decide whether it’s a tax or a penalty, whether Massachusetts was a tax or was a penalty. We’re pulling up videotape in which he said both things. So I think in the immediate, you know, aftermath, I think it’s been actually more of a problem for Romney. I think the support for the Affordable Care Act has strengthened to some extent. HUNT: But the administration - PODESTA: So Republicans are going to go back at it and try to repeal it as soon as this - as this upcoming week, but then they’re going to have to explain how already the benefits that are in the act are going to be turned off. HUNT: But the White House still hasn’t persuaded the American people of what - what the good parts from their point of view of the bill are. PODESTA: Well, you know, I think that they could do a better job of trying to explain what the good parts are, but as I said, there’s a lot that’s already kicked in. Denying coverage to kids with pre-existing conditions, you can’t do that anymore. Kids - the one part of the population where you’ve seen health insurance actually uptick are young people, 18 to 25, where you see an increase in the provision of health care. HUNT: Because they know - let me - PODESTA: Because they’re on their parent policy, which has already come in. HUNT: Let me turn to the campaign, and the Obama team is relentlessly going after Mitt Romney on Bain and outsourcing of jobs. PolitiFact, which is neutral, says that these ads are very misleading, they’re unfair and untrue, and that - and that the - the team Obama has really gone beyond the bounds. PODESTA: Well, look, I think it was the Washington Post, not the Obama campaign, that said that Bain was a pioneer in investing in businesses that outsource jobs. Now, you can take credit for that or you could try to explain it, but I think that’s just a factual statement of what Bain was doing. HUNT: They should - they should keep on that? They should keep on that theme? PODESTA: You know, I think that the real problem for Romney going forward with respect to Bain are this incredibly complex set of financial transactions which have failed to be disclosed fully. AP is just writing on that this week. Vanity Fair had a big piece about these offshore accounts he has in the Cayman Islands . People can’t figure them out. There’s money moving in and out from Bain. HUNT: Right. PODESTA: And I think that, in the end of the day, you know, how he got an IRA that’s valued at $102 million, when the limits on how much you can put in was $30,000 a year, people are going to want some answers to this. And so far I think the Romney campaign has been - you know, both they’ve been stonewalling the legitimate reporters’ questions about this, and I think that the American public is going to kind of scratch their head and say, how did he make all that money? Where is it? Why is it in all these foreign offshore accounts? Is he avoiding taxes? Why is his tax rate so low? And, look, what that says is not so much that he isn’t a good or a bad businessman, but is he going to be looking out for me? And I think - HUNT: Let me ask - PODESTA: - they’re going to have real questions about that by the end of this campaign. HUNT: Let me turn to one question about Afghanistan . You and Stephen Hadley, George W. Bush ’s national security adviser, wrote a thoughtful piece about how we get out of Afghanistan. But Dexter Filkins, probably the greatest reporter over there, wrote a piece in the New Yorker last week which said, after 11 years, 16,000 American wounded, $400 billion spent, the U.S. will leave without the mission accomplished, without nation- building, without a counter - the counterinsurgency is a failure, the Taliban is not defeated, corruption is still rampant, civil war likely. PODESTA: Well, you know, I think what our piece that - that we wrote in Foreign Affairs and our advice to the administration is if you don’t pay deep attention to the political transition that’s going to occur - President Karzai’s term-limited, there needs to be a presidential election in 2014 - if you don’t build support for an institution that could bring forth a leader that has credibility in that country, then everything that Dexter is predicting will take place. HUNT: Final quick question. Who do you think Mitt Romney will pick as his running mate? PODESTA: I think Paul Ryan . HUNT: Paul Ryan? Is that a wish, or is that a prediction? PODESTA: Both. HUNT: Both. John Podesta, thank you very much for joining us. . ***END OF TRANSCRIPT*** THIS TRANSCRIPT MAY NOT BE 100% ACCURATE AND MAY CONTAIN MISSPELLINGS AND OTHER INACCURACIES. THIS TRANSCRIPT IS PROVIDED “AS IS,” WITHOUT EXPRESS OR IMPLIED WARRANTIES OF ANY KIND. BLOOMBERG RETAINS ALL RIGHTS TO THIS TRANSCRIPT AND PROVIDES IT SOLELY FOR YOUR PERSONAL, NON-COMMERCIAL USE. BLOOMBERG, ITS SUPPLIERS AND THIRD-PARTY AGENTS SHALL HAVE NO LIABILITY FOR ERRORS IN THIS TRANSCRIPT OR FOR LOST PROFITS, LOSSES OR DIRECT, INDIRECT, INCIDENTAL, CONSEQUENTIAL, SPECIAL OR PUNITIVE DAMAGES IN CONNECTION WITH THE FURNISHING, PERFORMANCE, OR USE OF SUCH TRANSCRIPT. NEITHER THE INFORMATION NOR ANY OPINION EXPRESSED IN THIS TRANSCRIPT CONSTITUTES A SOLICITATION OF THE PURCHASE OR SALE OF SECURITIES OR COMMODITIES. ANY OPINION EXPRESSED IN THE TRANSCRIPT DOES NOT NECESSARILY REFLECT THE VIEWS OF BLOOMBERG LP. #<477727.5983423.3.0.2.9.25>#
NEWS-MULTISOURCE
Angiotensin-I converting enzyme genotype-dependent benefit from hormone replacement therapy in isometric muscle strength and bone mineral density David Woods, Gladys Onambele, Roger Woledge, Dawn Skelton, Stuart Bruce, Steve E. Humphries, Hugh Montgomery Research output: Contribution to journalArticlepeer-review Abstract Low bone mineral density (BMD) and muscle weakness are major risk factors for postmenopausal osteoporotic fracture. Hormone replacement therapy (HRT) reverses the menopausal decline in maximum voluntary force of the adductor pollicis and reduces serum angiotensin-I converting enzyme (ACE) levels. The insertion (I) allele of the ACE gene polymorphism is associated with lower ACE activity and improved muscle efficiency in response to physical training. Therefore, we examined whether the presence of the I allele in postmenopausal women would affect the muscle response to HRT. Those taking HRT showed a significant gain in normalized muscle maximum voluntary force slope, the rate of which was strongly influenced by ACE genotype (16.0 ± 1.53%, 14.3 ± 2.67%, and 7.76 ± 4.13%, mean ± SEM for II, ID, and DD genotype, respectively; P = 0.017 for gene effect, P = 0.004 for I allele effect). There was also a significant ACE gene effect in the response of BMD to HRT in Ward’s triangle (P = 0.03) and a significant I allele effect in the spine (P = 0.03), but not in the neck of femur or total hip. These data suggests that low ACE activity associated with the I allele confers an improved muscle and BMD response in postmenopausal women treated with HRT. Original languageEnglish JournalJournal of Clinical Endocrinology and Metabolism DOIs Publication statusPublished - 1 May 2001 Keywords • HRT • bone mineral density • hormone replacement therapy Fingerprint Dive into the research topics of 'Angiotensin-I converting enzyme genotype-dependent benefit from hormone replacement therapy in isometric muscle strength and bone mineral density'. Together they form a unique fingerprint. Cite this
ESSENTIALAI-STEM
User:PogingJuan/Talk header Pog ing Juan ™ Improving Wikipedia since April 2014. Feel free to leave message.
WIKI
Tales of Destiny Tales of Destiny (テイルズ オブ デスティニー) is an action role-playing game originally developed by Telenet Japan's "Wolf Team" as the second main title in Namco's "Tales of" series. Originally released in Japan for the PlayStation in December 1997, an English version was later made available in North America in September 1998. The game features many of the same development staff as its predecessor, Tales of Phantasia, including composers Motoi Sakuraba and Shinji Tamura, with character designs by series newcomer Mutsumi Inomata. Its producers gave it the characteristic genre name RPG of Destiny (運命のRPG). A remake for the PlayStation 2 was released in November 2006, which was followed by an updated version called Tales of Destiny Director's Cut (テイルズ オブ デスティニー ディレクターズカット) in January 2008, both exclusive to Japan. The remake was also given its own unique genre name by its producers as RPG called 'Destiny' (運命という名のRPG). Taking place in a fantasy world, the game follows the story of Stahn, a young man who comes across a sentient sword named Dymlos and his subsequent encounters with other similar sword-wielders. Eventually, he and his friends must unite against evil forces seeking a relic from an ancient war. The PlayStation version of Tales of Destiny was mostly well-received, selling over a million copies worldwide and going on to become the highest selling Tales game in Japan. Gameplay The game uses an enhanced version of the Linear Motion Battle System that debuted in the first game of the series, Tales of Phantasia. Battles take place on a 2-D plane where characters and enemies act in real time. Melee and ranged attacks are executed in real time, with spell casting requiring a chanting time that increases directly with the complexity of the spell being cast. When the chanting of a spell is complete, game-time temporarily stops as the spell animation is carried out and damage is assigned, so spells essentially act as interrupts. Special melee and ranged attacks do more damage or have more hits than normal attacks, but require technical points, or TP, to be consumed for use. Also, the battle system rewards the player with extra experience for stringing together multi-hit combos. The end result of this break from turn-based RPG battle systems is a more fast-paced and reaction-oriented system that behaves more like a side-scrolling action game. Pre-battle options include assigning spells and special attacks to buttons and button-directional combinations, changing the party's battle formation or order, and assigning AI behavioral patterns for computer-controlled allies. Certain spells can also be taken off the active casting list for computer-controlled allies. At any one time, the AI is controlling the other characters in the party that the player is not directly commanding, taking general strategic orders into consideration when acting. The player controls one character directly at a time, but can switch to other characters and issue special attack or spell orders for any character on command using an in-battle menu system. This menu system enables the player to use items, spells, or special attacks at will during battle. The menu system also allows the use of general commands given to the entire party during battle, along with instant adjustment of previous strategy or formation orders. Setting In the past, a comet crashed into the world, throwing dust clouds into the sky and shrouding the world in cold and darkness. At about the same time, the inhabitants, the Aethers, discovered a new form of energy from the meteorite's core, which they named Lens. Combining this with further research, the people were able to create cities in the sky and live in them. Unfortunately, only a select few were chosen, leaving the rest of the people to remain on the bleak surface of the planet. These people became known as the Erthers. Over time, the sky's inhabitants became known as the Aetherians and their Aeropolis cities. They created a horrific weapon called the Belcrant that shot down any who dared oppose them. This caused full-scale war to erupt between the two civilizations, now known as the Aeth'er Wars. However, regardless of their will and persistence, the Aetherians continued to have the power to dominate every engagement through the use of their superweapon. In their disgust of their civilization's elitist behavior, a group of Aetherian scientists went to the surface. There, with aid from the people, they were able to create special swords, called Swordians, that were sentient. Unlike other weapons, these swords chose their masters and were able to call upon the elements of nature to do their will. Using these weapons, the people of the surface finally had an edge against the Aetherians. Thanks in part to the Swordians and their masters, scores of Aeropolis were sunk to the depths of the ocean. In the end, the Erthers claimed victory over the Aetherians. Thousands of years later, this story has been mostly forgotten. In the meantime, the purposeless Swordians fell into a deep stasis sleep, only to awaken when grave threats rose once again. Story The story of the game begins when country-boy-turned-adventurer Stahn Aileron, who seeks fame and adventure, sneaks aboard the flying ship Draconis as a stowaway. He is found out by the crew and forced to work as a deckhand, but when a large hostile force attacks the ship, the crew is overwhelmed and Stahn breaks free during the ensuing chaos. Looking for a usable weapon to fend off the attackers, he gains access to a storeroom and discovers a "junk" sword. However, the sword starts talking to him, calling itself Dymlos and claiming to be a sentient Swordian from the Aeth'er Wars. Armed with Dymlos, Stahn fights his way to an escape pod, which he uses to escape the rapidly descending ship before it crashes into the ground. Dymlos becomes the key to the fame, fortune, and adventure Stahn seeks as the young man meets other Swordians, quickly becoming embroiled in a battle for a relic of the Aeth'er Wars: a huge, extremely powerful Lens called the Eye of Atamoni. Main characters * Stahn Aileron (スタン・エルロン) is a 19-year-old adventurer who grows into a powerful sword-based physical fighter, Stahn is the protagonist of Tales of Destiny. Not known for his intelligence or his cultured background, his fire-elemental Swordian is Dymlos. He is voiced by Tomokazu Seki. * Rutee Katrea (ルーティ・カトレット), armed with Atwight, the Swordian of water, is an 18-year-old headstrong Lens hunter who travels the world looking to make a profit with her partner, Mary, and eventually develops a romantic relationship with Stahn. She is voiced by Yuka Imai. * Leon Magnus (リオン・マグナス) is a master swordsman of Seinegald – at age 16 the youngest in history to serve the kingdom, and a close associate of the president of the powerful Oberon Company. A complex and slightly brooding character, Leon's agile Swordian is Chaltier. He is voiced by Hikaru Midorikawa. * Philia Felice (フィリア・フィリス) is a 19-year-old priestess. Isolated from the outside world until the events of the game, she has a sweet, charming personality and is very dependable, but she can also be overly fastidious. Her powerful spell casting ability is augmented by her Swordian, Clemente. She is voiced by Kikuko Inoue. * Garr Kelvin (ウッドロウ・ケルヴィン) is the 23-year-old Prince of Phandaria, and a skilled archer as well as a swordsman; Igtenos is his wind-elemental Swordian. Wise and mature, he is known for his cool-headed battle tactics. He is voiced by Shō Hayami. * Mary Argent (マリー・エージェント) is a 24-year-old woman who suffers from amnesia, and is not aware of her last name due to an unknown event in her past. Mary has no Swordian, but can use swords and axes as a strong physical attacker. She is generally easy-going, but sometimes flies into berserker rages in battle. She is voiced by Yuri Amano. * Chelsea Torn (チェルシー・トーン) is the 14-year-old granddaughter of Garr's archery master, Alba. Though she appears cute and innocent, she is an archer skilled beyond her age. She is voiced by Naoko Watanabe. * Bruiser Khang (マイティ・コングマン) is a 39-year-old powerful fighter from a battle arena. Loud and egotistical, he uses his fists as weapons. He is voiced by Tesshō Genda. * Karyl Sheeden (ジョニー・シデン) is the estranged 26-year-old son of an aristocratic family and a bard by trade. Seemingly fragile from outward appearances, he can provide useful support in the party through songs played on his lute. He is voiced by Kōichi Yamadera. * Lilith Aileron (リリス・エルロン) is Stahn's younger sister. She is cheerful and energetic, but knows when to command respect when she is angry. Lilith fights with a frying pan and has no Swordian. She is voiced by Chie Sawaguchi. Development Tales of Destiny was originally developed by members of Telnet Japan and Wolf Team, who had previously worked on Tales of Phantasia. The game features character designs by anime and manga artist Mutsumi Inomata, as well as animated cutscenes produced by Japanese studio Production I.G. It was exhibited at the September 1997 Tokyo Game Show. An English version was announced for North America originally for the third or fourth quarter of 1998, and would later appear at the 1998 Electronic Entertainment Expo in Atlanta. Its North American producer commented that since the game's two-dimensional graphics were so "ordinary", the translation team focused on creating "an outstanding localization" to compensate. Namco America had originally intended to dub the character voices into English, and searched for "excellent voice talent to fill [the] positions", yet the final version still retains the original Japanese audio. PlayStation 2 versions In a June 2006 press conference, Namco Bandai Games announced that a remake of Tales of Destiny for the PlayStation 2 was in development and due for release some time the following winter in Japan. The remake contains several new features, including three-dimensional environments, re-drawn character sprites, and an expanded version of the original PlayStation releases' Linear Motion Battle System known as the "Aerial Linear Motion Battle System" (AR-LMBS) that emphasizes mid-air combat and elaborate combination attacks. In addition, all key cutscenes are now fully voiced, as well as a new feature called the Active Party Window where characters interact with each other during the adventure. It made an appearance at the 2006 Tokyo Game Show, where it was given a release date set for the following November. However, the discovery of unexpected bugs led to the title being delayed past its original due date of November 22, and was instead released on November 30. Namco Bandai Games later announced in a July 2007 press conference that yet another version of Tales of Destiny would be released for the PlayStation 2 called the Tales of Destiny Director's Cut (テイルズ オブ デスティニー ディレクターズカット), and would be due for release in early 2008. This version was designed to be compatible with the original PlayStation 2 remake's save data, and features new story events and battle difficulty settings. A new "Leon Mode" allows players to take control of the character Leon and experience story events from his point of view, and Stahn's younger sister Lilith is now a playable character. The game was released in Japan in January 2008 alongside a limited special edition packaged with an artbook and soundtrack. Audio The music for Tales of Destiny was written by Motoi Sakuraba and Shinji Tamura, who had both previously collaborated on the soundtrack for Tales of Phantasia. The Japanese version also features the opening theme song Yume de Aruyouni (夢であるように) by J-pop group Deen. The English version uses an original track, due to licensing issues. An official soundtrack for the original PlayStation version was released in March 2000 by Movic containing a total of 76 songs across two discs. In May 2007, a soundtrack for the PlayStation 2 remake was made available by King Records, and featured 108 songs on four discs. Numerous Tales of Destiny radio drama albums featuring the Japanese voice cast have been produced since 1998. A three-volume set called Drama CD Tales of Destiny (ドラマCD 「テイルズ オブ デスティニー」Vol.1) was released between October 1998 and January 1999 by Movic Records, which were followed by another three-volume collection called Radio Tales of Destiny DJCD (ラジオ テイルズ・オブ・デスティニー DJCD) released between April and June 1999. A third three-volume set called Tales of Destiny Tenjō (テイルズ・オブ・デスティニー 天上) was also produced by Movic and released between June and August 1999. In December 1999, a stand-alone drama album entitled ''Tales of Destiny ~Proust~ Forgotten Chronicle (テイルズ・オブ・デスティニー~プルースト・Forgotten Chronicle) was released. PlayStation version Tales of Destiny obtained a 31 out of 40 total score from Japanese magazine Weekly Famitsu based on individual scores of 8, 7, 8, and 8, earning it the publication's Silver Award. In 2006, Famitsu readers would declare it the 79th greatest game of all time in its "All Time Top 100" feature, making it the third highest-ranking Tales game on the list. The game sold over 450,000 copies in Japan by the end of 1997, and it received a "Gold Prize" from Sony in May 1998, indicating sales above 500,000 units in Japan. It went on to sell approximately 1,139,000 copies worldwide by December 2007. It was the best-selling individual single-platform Tales game,. The English version received generally positive reception in North America, earning a 73% average score from aggregate review website GameRankings. IGN gave the game a 7.5 of 10, stating the game was "Highly recommended, as long as you're a fan of the classic Super NES". IGN praised the game for its gameplay, story, and sound, but criticized the graphics for not being much better than what the Super NES was capable of, and the frequency of the battles. RPGFan gave the game an 88% rating overall, calling the battle system "a blast to play" and "well-balanced", but had mixed feelings on the graphics, calling it "...not even as good as some of the SNES" on in the game, but saying it improves farther into the game, stating "Transparencies, lighting, reflections and beautifully drawn textures make each area interesting". RPGamer was less enthusiastic, giving the game a 6 out of 10, calling it "a fairly good game" but not without its flaws. The battle system was praised, but the lack of originality was criticized. GameSpot, however, was much more negative in regards to the game, giving it a 4.9 out of 10. Problems cited included "...a stale and exceedingly slow-moving story...boring, moldy characters and dry, musty dialogue..." and poor graphics, stating that it looked and sounded "...far too much like an SNES game, Tales of Destiny seems like it was originally intended to be a sequel on the SNES that got delayed well into the PlayStation's life cycle. While the game's overall poor graphics were widely criticized by reviewers, Production I.G's opening anime video did receive praise from numerous critics. Next Generation reviewed the PlayStation version of the game, rating it three stars out of five, and stated that "Tales of Destiny is a simple yet enjoyable romp through what RPGs once were – long adventures featuring lots of character interaction and battles. And with this perspective, expect the game to be entertaining and even challenging at times." PlayStation 2 version The PlayStation 2 remake received a slightly higher score of 32 out of 40 from editors of Weekly Famitsu based on scores of 8, 8, 8, and 8, granting it a Gold Award. The original version sold approximately 368,000 copies in Japan by the end of 2006, while the Director's Cut would sell 142,301 copies by the end of 2008, becoming the 92nd most-bought software title in the region that year. Legacy The game received a direct sequel, Tales of Destiny 2, which released in 2002 on the PlayStation 2, and was ported to the PlayStation Portable in 2006. Both versions of the game were only released in Asia. It is not to be confused with Tales of Eternia which was released as "Tales of Destiny II" in North America.
WIKI
Dow Plunges 1,500 Points Dow Plunges 1,500 PointsUnited States Stock MarketThe Dow Jones was down more than 1500 points and on track for its biggest one-day drop since March 18th, after the Federal Reserve pledged to keep rates at current low levels through 2022 and Fed Chair Powell painted a gloomy and challenging outlook for the US economy with steep GDP contraction this year and a prolonged period of high unemployment rates. Also, fears over a second wave of coronavirus infections mounted in the US after Texas, Florida and California saw a rise in new cases. The S&P 500 is set to suffer its worst day since April 1st while the Nasdaq tumbled more than 3% from Wednesday's record high.2020-06-11T16:51:00
NEWS-MULTISOURCE
The Colonel (1918 film) The Colonel (Az Ezredes) is a 1918 Hungarian film directed by Michael Curtiz. It featured Bela Lugosi in his last Hungarian film, just before he emigrated to Germany. The script by Richard Falk is based on the play by Ferenc Herczeg. The film was first released on 30 December 1918 at the Omnia Theater in Budapest. Plot The Colonel (a professional thief) is caught burgling a millionaire's home. Rather than be arrested, the Colonel agrees to perform a service for the millionaire in exchange for his freedom. He is told that he must perform another robbery, this time stealing something from the millionaire's brother. Meanwhile, the Colonel falls in love with the rich man's daughter. Cast * Bela Lugosi as The Colonel (a thief) * László Z. Molnár * Charles Puffy (credited as Karoly Huszar) * Sándor Góth * Géza Boross * Janka Csatay * Cläre Lotto * Zoltán Szerémy as Houston * Árpád id. Latabár * Gerő Mály
WIKI
2021 in Cameroon Events in the year 2021 in Cameroon. Incumbents * President: Paul Biya * Prime Minister: Joseph Ngute Events Ongoing — COVID-19 pandemic in Cameroon * 1 January – The United States Senate passes a strong resolution calling for a mediated solution to the armed conflict and independence movement of Ambazonia. * 16 January–7 February — 2020 African Nations Championship, hosted by Cameroon – originally scheduled in 2020 but postponed due to the COVID-19 pandemic. * 18–24 February —Football at the 2020 Summer Olympics – Women's qualification (CAF–CONMEBOL play-off), Cameroon 1 vs. Chile 2. * 27 January – Fifty-three people are killed and 21 injured in a collision and fire between a bus and a truck in Santchou, West Region. * 8 March – Maximilienne C. Ngo Mbe, human rights activist, is awarded the International Women of Courage Award. Sports * March 30 – Francis Ngannou wins the UFC heavyweight title. Culture * June 12 – Four films made in Cameroon are now available for streaming on Netflix in the United States. The Fisherman's Diary has won numerous awards and was pre-selected for the 2021 Academy Awards. Deaths * February 3 – Norbert Owona, 70, footballer (Union Douala, national team). * February 21 – Bernard Njonga, 65, activist and politician. * February 27 – Pascal Monkam, 90, businessman. * April 2 – Christian Wiyghan Tumi, 90, Roman Catholic cardinal. * April 9 * Gervais Mendo Ze, 76, linguist and academic. * Rabiatou Njoya, 75, writer and Bamun advisor. * Martin Aristide Okouda, 69, politician. * April 10 * Guillaume Oyônô Mbia, 82, writer. * Victor Mukete, 102, politician and traditional chief, senator (since 1959).
WIKI
Page:NARA Style Guide.pdf/2 Clear writing conveys clear thought. NARA writers in all offices must strive for clear communication to explain their increasingly complex work. They write letters, memorandums, finding aids, web pages, blogs, leaflets, reports, articles, exhibit scripts, brochures, budget requests, speeches, forms, and email messages. This style guide establishes agency standards of punctuation, word usage, and grammar that will answer writers' most common questions and will, we hope, promote clear and effective writing throughout NARA. Style changes over time and even from place to place, depending on the intended audience. These differences do not necessarily make one choice wrong. What is right is consistency within your own work and using the appropriate language and usage for your audience. The NARA Style Guide fills two needs. First, the section Writing for Plain Language will help us comply with the Plain Writing Act of 2010. Second, it addresses many of the questions and issues unanswered by the Government Printing Office Style Manual (GPO manual). This guide is based on the GPO manual but includes modifications that reflect current usage. The most notable difference from the GPO manual concerns the treatment of numbers. This style guide simplifies the rules. In most cases, writers will spell out numbers under 10 and use numerals for numbers 10 and over. (See section 4.10.) The GPO manual is still NARA's primary reference for style. For issues not covered in the NARA guide, continue to consult the GPO manual. The appendix, "Quick Reference", may be particularly helpful to NARA writers. This list of words and phrases provides quick answers to common questions about capitalization, spelling, compound words, and plurals. The NARA Style Guide took shape from the agency`s specific language needs and will continue to change to reflect the needs and concerns of NARA writers. Use the NARA Style Guide for all NARA communications. If you have questions about spelling, grammar, or usage that are not addressed by this guide, contact the Strategy and Communications staff (SC, Mary Ryan:, telephone<PHONE_NUMBER>). Rh
WIKI
Chapter 15. Managing partitions using the web console Learn how to manage file systems on RHEL 8 using the web console. For details about the available file systems, see the Overview of available file systems. 15.1. Displaying partitions formatted with file systems in the web console The Storage section in the web console displays all available file systems in the Filesystems table. This section navigates you to get to the list of partitions formatted with file systems displayed in the web console. Prerequisites • The cockpit-storaged package is installed on your system. • The web console must be installed and accessible. For details, see Installing the web console. Procedure 1. Log in to the RHEL web console. For details, see Logging in to the web console. 2. Click on the Storage tab. In the Filesystems table, you can see all available partitions formatted with file systems, its name, size and how much space is available on each partition. cockpit filesystems tab 15.2. Creating partitions in the web console To create a new partition: • Use an existing partition table • Create a partition cockpit partitions Prerequisites • The cockpit-storaged package is installed on your system. • The web console must be installed and accessible. For details, see Installing the web console. • An unformatted volume connected to the system visible in the Other Devices table of the Storage tab. Procedure 1. Log in to the RHEL web console. For details, see Logging in to the web console. 2. Click the Storage tab. 3. In the Other Devices table, click a volume in which you want to create the partition. 4. In the Content section, click the Create Partition button. 5. In the Create partition dialog box, select the size of the new partition. 6. In the Erase drop down menu, select: • Don’t overwrite existing data — the RHEL web console rewrites only the disk header. Advantage of this option is speed of formatting. • Overwrite existing data with zeros — the RHEL web console rewrites the whole disk with zeros. This option is slower because the program has to go through the whole disk, but it is more secure. Use this option if the disk includes any data and you need to overwrite it. 7. In the Type drop down menu, select a file system: • XFS file system supports large logical volumes, switching physical drives online without outage, and growing an existing file system. Leave this file system selected if you do not have a different strong preference. • ext4 file system supports: • Logical volumes • Switching physical drives online without outage • Growing a file system • Shrinking a file system Additional option is to enable encryption of partition done by LUKS (Linux Unified Key Setup), which allows you to encrypt the volume with a passphrase. 8. In the Name field, enter the logical volume name. 9. In the Mounting drop down menu, select Custom. The Default option does not ensure that the file system will be mounted on the next boot. 10. In the Mount Point field, add the mount path. 11. Select Mount at boot. 12. Click the Create partition button. cockpit partition creating Formatting can take several minutes depending on the volume size and which formatting options are selected. After the formatting has completed successfully, you can see the details of the formatted logical volume on the Filesystem tab. To verify that the partition has been successfully added, switch to the Storage tab and check the Filesystems table. cockpit filesystems part 15.3. Deleting partitions in the web console This paragraph is the procedure module introduction: a short description of the procedure. Prerequisites Procedure 1. Log in to the RHEL web console. For details, see Logging in to the web console. 2. Click on the Storage tab. 3. In the Filesystems table, select a volume in which you want to delete the partition. 4. In the Content section, click on the partition you want to delete. cockpit filesystem list 5. The partition rolls down and you can click on the Delete button. cockpit partition delete The partition must not be mounted and used. To verify that the partition has been successfully removed, switch to the Storage tab and check the Content table. 15.4. Mounting and unmounting file systems in the web console To be able to use partitions on RHEL systems, you need to mount a filesystem on the partition as a device. Note You also can unmount a file system and the RHEL system will stop using it. Unmounting the file system enables you to delete, remove, or re-format devices. Prerequisites • The cockpit-storaged package is installed on your system. • The web console must be installed and accessible. For details, see Installing the web console. • If you want to unmount a file system, ensure that the system does not use any file, service, or application stored in the partition. Procedure 1. Log in to the RHEL web console. For details, see Logging in to the web console. 2. Click on the Storage tab. 3. In the Filesystems table, select a volume in which you want to delete the partition. 4. In the Content section, click on the partition whose file system you want to mount or unmount. 5. Click on the Mount or Unmount button. cockpit partitions mount At this point, the file system has been mounted or unmounted according to your action.
ESSENTIALAI-STEM
PRESS DIGEST- Canada - Dec 15 Dec 15 (Reuters) - The following are the top stories from selected Canadian newspapers. Reuters has not verified these stories and does not vouch for their accuracy. ** Ontario's securities watchdog is looking to mirror a U.S. ban against Miles Nadal, former CEO of MDC Partners Inc . tgam.ca/2yvLk0J ** Asian demand for U.S. iron ore is driving up freight volumes on the St. Lawrence Seaway. Overall cargo tonnage, including mining products and grain, rose by 8.5 percent to 33 million tonnes on the water route as of the end of November, from the same period a year ago, the Chamber of Marine Commerce said on Thursday. tgam.ca/2ywk1n1 ** Canada Pension Plan Investment Board is creating a renewable-energy and power group, jump-starting its investment strategy with a deal for Brazilian wind assets. tgam.ca/2ywm7n2 ** Saddled with large debts, Cenovus Energy Inc announced a cost-cutting budget Thursday that will eliminate 500 to 700 jobs and a reshuffling of its management team as the company tries to deleverage. bit.ly/2ywG50M ** Boeing Co was dealt another major blow this week as Delta Air Lines confirmed Thursday it will order 100 jets from its aerospace rival, Airbus SE a deal valued at around $12.7 billion. bit.ly/2ywIhp2 ** More than two years into its five-year turnaround plan, Bombardier Inc's Chief Executive, Alain Bellemare said the company is on track to achieve its goals by 2020 as it focuses on the profitability of its transportation and business jet units while preparing to give Airbus SE the reins to the CSeries program. bit.ly/2ywPVQx (Compiled by Bengaluru newsroom)
NEWS-MULTISOURCE
0 I am using 12.04.4 and trying to connect to a NFS server which allows a blocksize of 64kbps, but the most I can set on the client side with mount.nfs is rsize/wsize=32786. I read that there is a kernel define NFSSVC_MAXBLKSIZE that may be limited to 32k, but I am not sure this is for client or server or both. Whichever, how can I change this, or something else to get a higher buffer size? Thanks, 2 Answers 2 0 I don't know a lot about this subject, but i made some research and i found that you can easily modify rsize and wsize values while mounting, The maximum value that can be set depends on the current kernel version you have. Take a look at this : How to do Linux NFS Performance Tuning and Optimization 0 According to nfs(5), rsize and wsize can be set to 1048576 (1 MB), which is the maximum value for the NFS client. Older NFS versions (e.g. NFSv2) had smaller max values. This can be changed as a mount option, e.g.: sudo mount -t nfs -o rsize=1048576,wsize=1048576 server:/data /mnt/data Note: the client and server negotiate the largest rsize/wsize value that they can both support. So, if the server doesn't support a rsize/wsize that large, a smaller one will be negotiated: $ mount | grep /mnt/data | egrep -o rsize=[0-9]* rsize=131072 3 • 1 Is there anyway to determine if the size is being set by negotiation? Is there anyway to enable this level of debug? – CptanPanic Commented May 22, 2015 at 11:04 • "If" the size is set? The size is always negotiated, because both sides need to agree on a size. "Which" size is being set can be seen via "mount", see my answer above. – ckujau Commented May 22, 2015 at 19:46 • So I found that if I use 'nfsstat -m' it shows the actual buffer size that is being used. And verified that the max allowed for me is 32k. – CptanPanic Commented May 26, 2015 at 11:41 You must log in to answer this question. Not the answer you're looking for? Browse other questions tagged .
ESSENTIALAI-STEM
Hatena::Grouptopcoder TopCoderの問題を解く 解いた問題の一覧表 2009-08-27 FryingHamburgers | 11:29 問題文, SRM 159 すべてのハンバーガーを焼くのにかかる時間。解けなくて、さんざん悩んで、Editorialを見て、数学の問題だと気づいた。 75.0/250 class FryingHamburgers { public: int howLong(int panSize, int hamburgers) { if (hamburgers == 0) return 0; if (hamburgers <= panSize) return 10; return 5*(int)ceil(2.0*hamburgers/panSize); } }; 2009-07-28 ThePriceIsRight | 08:46 問題文 Longest increasing sub sequence を求める問題。再帰を使って解く方法は思いついたが、それでは計算量が問題になるとわかり、結局やはりEditorialを見た。dynamic programming による方法で解ける。 class ThePriceIsRight { public: vector <int> howManyReveals(vector <int> prices) { const int size = prices.size(); vector<int> S(size,0), L(size,0); vector <int> result(2,0); for (int i = 0; i < size; i++) { int tmp = 0; for (int j = 0; j < i; j++) { if (prices[j] < prices[i]) tmp = max(tmp, S[j]); } for (int j = 0; j < i; j++) { if (S[j] == tmp && prices[j] < prices[i]) L[i] += L[j]; } if (L[i] == 0) L[i] = 1; S[i] = 1 + tmp; } result[0] = *max_element(S.begin(), S.end()); for (int i = 0; i < size; i++) { if (S[i] == result[0]) result[1] += L[i]; } return result; } }; Sets | 18:25 問題文 集合演算。 class Sets { public: vector <int> operate(vector <int> A, vector <int> B, string operation) { sort(A.begin(), A.end()); sort(B.begin(), B.end()); if (operation == "UNION") { return union_set(A, B); } else if (operation == "INTERSECTION") { return intersection(A, B); } else if (operation == "SYMMETRIC DIFFERENCE") { return symmetric_difference(A, B); } else { return vector<int>(); } } private: vector<int> union_set(const vector<int>& A, const vector<int>& B) { set<int> tmp_union; for (int i = 0; i < A.size(); i++) tmp_union.insert(A[i]); for (int i = 0; i < B.size(); i++) tmp_union.insert(B[i]); vector<int> ret; for (set<int>::const_iterator itr = tmp_union.begin(); itr != tmp_union.end(); itr++) ret.push_back(*itr); return ret; } vector<int> intersection(const vector<int>& A, const vector<int>& B) { int i=0, j=0; vector<int> ret; while (i<A.size() && j<B.size()) { if (A[i] == B[j]) { ret.push_back(A[i]); i++; j++; } else if (A[i] < B[j]) { i++; } else { j++; } } return ret; } vector<int> symmetric_difference(const vector<int>& A, const vector<int>& B) { vector<int> uni = union_set(A, B); vector<int> inter = intersection(A, B); vector<int> ret; for (int i = 0; i < uni.size(); i++) { if (find(inter.begin(),inter.end(),uni[i]) == inter.end()) ret.push_back(uni[i]); } return ret; } }; StreetParking | 18:25 問題文 道に駐車できるかどうか。 class StreetParking { public: int freeParks(string street) { const int len = street.length(); int total = 0; for (int i = 0; i < len; i++) { if (street[i] != '-') continue; if (i+2 < len && street[i+2]=='B') continue; if (i+1 < len && (street[i+1]=='B'||street[i+1]=='S')) continue; if (i-1 >= 0 && street[i-1]=='S') continue; total++; } return total; } };
ESSENTIALAI-STEM
Page:Wiggin--Ladies-in-waiting.djvu/94 tions. A living income was offered her in America and she must take it or leave it on the instant. She could not telegraph Fergus Appleton in London and acquaint him with her plans, as if they depended on him for solution; she could only write him a warm and friendly good-bye. If he loved her as much as a man ought who loved at all, he had time to follow her to Southampton before her ship sailed. If business kept him from such a hurried journey, he could ask her to marry him in a sixpenny wire, reply paid. If he neither came nor wired, but sent a box of mignonette to the steamer with his card and “Bon voyage” written on it, she would bury something unspeakably dear and precious that had only just been born—bury it, and plant mignonette over it. And she could always sing! Thank Heaven for the gift of song! This was Tommy’s mood when she was packing her belongings, after hearing the bishop say that Appleton could not return till noon next day. It had changed a trifle by
WIKI
Wikipedia:Miscellany for deletion/User:SlimXero * The following discussion is an archived debate of the proposed deletion of the miscellany page below. Please do not modify it. Subsequent comments should be made on the appropriate discussion page (such as the page's talk page or in a deletion review). No further edits should be made to this page. The result of the debate was delete. WP:OTHERCRAPEXISTS and WP:HARMLESS are not policy. Riana ⁂ 02:44, 2 July 2007 (UTC) User:SlimXero User may be aware that he has a plethora of userboxes, but has not edited since April 23, and has under 100 edits in a span of about two years. The user's page, on the other hand, has altered article infoboxes, and as mentioned, quite a few userboxes, which is an issue that has not been addressed by the user. Wikipedia is not Myspace, especially for more or less non-contributors. MSJapan 14:57, 27 June 2007 (UTC) Shalom Hello 16:00, 27 June 2007 (UTC) * Speedy keep - I don't see any reason. Yeah, his page is cluttered, but he's not hurting anyone, is he? --DodgerOfZion 16:33, 28 June 2007 (UTC) * Keep per DodgerOfZion MAJ5 (talk) (contribs) 16:13, 29 June 2007 (UTC) * Comment: User:MAJ5 has no article space edits, and the account is less than a week old, and most of the edits have to do with username reporting and MfDs. That might explain his lack of knowledge regarding why this item is a problem. MSJapan 19:42, 28 June 2007 (UTC) * Comment: Again, the question must be answered: "Who does this hurt?" --DodgerOfZion 19:49, 28 June 2007 (UTC) * Comment: Who? Good question, mainly because it's not a personal issue at all. WP policy regards this as an abuse of the resources WP provides. See the exact same MfD for User:Nforbes, particularly the total deletion support. MSJapan 19:54, 28 June 2007 (UTC) * Comment: Exactly, and I put a keep vote there too. There are a LOT of bigger things we should be worrying about on this website than someone's bedroom mess of a userpage. This is trivial. --DodgerOfZion 19:57, 28 June 2007 (UTC) * Comment: This is part of the overall website. I'm not going to debate larger issues, but the fact is that somebody's got to do it, and plenty of people do do it. This seems more like a "Keep it because I don't think this is important enough to deal with" argument, which isn't really valid Moreover, policy violations aren't trivial. If you don't enforce small policies, why enforce the larger ones? MSJapan 20:01, 28 June 2007 (UTC) * Comment: The big question hasn't been answered: Who in the name of Kevin Smith does this bloody userpage hurt!? I don't see how it harms Wiki in any way at all. Sock puppets and vandals hurt the encyclopedia's credibility. Userboxes, however, don't. Is the userbox set-up a little ridiculous? Admittedly, it looks a mess. However, it's not hurting anybody, and unless the user is an unconstructive and/or destructive member of the community, I don't see why we should bother his page at all. It's actually trivial matters like these that have my peers laughing at Wikipedia.--DodgerOfZion 20:06, 28 June 2007 (UTC) * Comment Thats not what I meant. I was agreeing with Dodger. MAJ5 (talk) (contribs) 16:05, 29 June 2007 (UTC) * I mean yeah a mess but is it honestly so bad that it needs to be deleted. We don't just tear people down here. Why bring me into the subject? I am new. So were you MSJapan and I deserve chance just like you and my vote is Speedy Keep! MAJ5 (talk) (contribs) 16:07, 29 June 2007 (UTC) * You can't vote twice in a nom, sir.--WaltCip 14:42, 30 June 2007 (UTC) * Actually, you can, since it's not a straightforward vote - the closing admin will evaluate based on the strength of the arguments, and anyone can put forward as many arguments as they choose. Waltontalk 14:49, 30 June 2007 (UTC) * Keep -- he seems to have taken some care picking the userboxes: it's not blatant abuse like Nforbes.--SarekOfVulcan 20:23, 28 June 2007 (UTC) * Delete, WP:NOT. He has less than 50 mainspace contributions and yet he has a very extensive userspace. ^ demon [omg plz] 22:10, 29 June 2007 (UTC) * Strong keep, since when are we forcing people to make sufficient mainspace contributions in order to keep a userpage? It is not meant as abuse, so I see no need to delete it. Sala Skan 11:09, 30 June 2007 (UTC) * "Force"? It's kind of the whole point of the exercise, isn't? You know, assisting in the actual editing/creating of an encyclopedia and all that, not as a vehicle for personal self-expression. --Calton | Talk 01:01, 2 July 2007 (UTC) * Delete, WP:NOT trumps WP:HARMLESS and WP:OTHERCRAPEXISTS.--WaltCip 14:41, 30 June 2007 (UTC) * Keep per WP:BITE. OK, this user hasn't made a lot of edits, but s/he is doing nothing disruptive and should not be driven away by such an aggressive and hostile act as deleting their userpage. My argument isn't based on WP:HARMLESS - rather, deleting this page could be positively harmful to the encyclopedia, in driving away a potential contributor, and making an inexperienced user feel as if s/he's done something wrong. Waltontalk 14:49, 30 June 2007 (UTC) * Those are considerable points, but they involve common sense. As we all know, common sense does not have greater strength than a policy.--WaltCip 16:40, 30 June 2007 (UTC) * So your argument is that we should ignore common sense in favour of policy? FYI, one of our most important policies is WP:NOT: Wikipedia is not a moot court, and rules are not the purpose of the community...Follow the spirit, not the letter, of any rules, policies and guidelines if you feel they conflict. Disagreements should be resolved through consensus-based discussion, rather than through tightly sticking to rules and procedures. Basically, we don't make decisions on the basis of who can quote the most WP:ABCs; we make decisions on the basis of what will actually improve the encyclopedia. Waltontalk 14:01, 1 July 2007 (UTC) * Also take into account, from WP:USER: Generally, you should avoid substantial content on your user page that is unrelated to Wikipedia.--WaltCip 19:03, 1 July 2007 (UTC) * WP:BITE? The guy's been here for two years. Oh, and common sense says that 40 edits over two years is NOT a serious contributor, so that argument cuts both ways. --Calton | Talk 00:57, 2 July 2007 (UTC) * Let's see, the guy has four times as many userboxes (~180) as he does mainspace edits (40) -- and that's over two years. Delete, with a note that it'll be restored if and when he begins actually contributing regularly. MySpace? Not here. --Calton | Talk 00:57, 2 July 2007 (UTC) * Delete Per Calton above. If he starts to edit regularly, then he can have it restored. You don't have the right to a user page if that's all you do. ~ Wi ki her mit 01:01, 2 July 2007 (UTC)
WIKI
Page:Oregon Historical Quarterly volume 23.djvu/332 282 F. W. HOWAY the Sandwich Islands and Canton. I informed him that he might do so, but on condition that he always carry an official Spanish passport, as he said he expected to do, and under the further condition that he should buy on my account in Macao two altar ornaments for the mass, and seven pairs of boots for the officers of the San Carlos and of my own ship. However, I believe that none of this will be done." Some may think that the Spanish letter which he carried may account for this immunity; but it must be remembered that Don Bias Gonzales, the Spanish commandante at Juan Fernandez, was dismissed in disgrace for his failure to seize the Columbia there, the ambassador's letter to the contrary notwithstanding. 11 This friendship or good feeling was cemented by the entry of his eldest son John Kendrick Jr. into the Spanish service on the Princesa, as will appear later. At Clayoquot Sound, on the west coast of Vancouver Island, on 30th July 1789 Kendrick handed over the com- mand of the Columbia to Gray and himself took charge of the sloop Washington. Why Kendrick exchanged vessels with Gray is not clear. Being the commander of the expedition, the proposition probably emanated from him. No records extant, so far as my search has gone, throw any certain light upon the question, nor afford any really satisfactory assistance in determining whether the transfer was in- tended as a mere temporary expedient or to be, what it afterwards became, a permanent arrangement. Hoskins, his friend, only says that Kendrick "thought best to change and to send Captain Gray on to Canton with the Columbia." He records the views of the officers as being suspicious of Kendrick's intentions, and adds that "on his arrival in China (Kendrick) was deprived of his largest vessel." 12 The expression is ambiguous, not in- dicating whether the deprivation was by Gray's conduct 11 Greenhow's History of Oregon, 1844, pp. 180, 184. 12 Hoskins' Narrative MS., pp. 8, 9.
WIKI
Is Your Child Getting Enough Magnesium? We talk a lot about magnesium and how common magnesium deficiency is here on the blog. Usually, we focus on adults but did you know that kids can be affected by magnesium deficiency too? Many of the symptoms you should watch for in adults (click here to learn more) are the same in children but they can be harder to spot in kids depending on their age, ability to communicate and their stage of development. Sometimes we attribute nutrient deficiency symptoms to teething, adapting to new environments or growing pains. Sometimes what you’re seeing may be a combination of things. Here’s how you can figure out if your child is getting enough magnesium and what to do about it if they’re not. Signs of magnesium deficiency in children… When children don’t have enough magnesium in their systems, they experience many of the same symptoms as adults. Difficulty sleeping, muscle twitches and spasms, constipation and irritability are all potential symptoms you might see in a child that needs more magnesium. According to a study published in the journal Public Health Nutrition, posted on PubMed.gov , magnesium can help children prevent and cope with mental illness too: “ The study shows an association between higher dietary Mg intake and reduced externalising behaviour problems in adolescents.” These problems include anxiety, depression, ADD and ADHD. In addition to putting a stop to these deficiency symptoms, getting enough magnesium can benefit your child’s body and overall health in a number of ways. Click here for a list of the top 10 benefits of magnesium. Getting enough magnesium is important. Long-term magnesium deficiency is linked to diabetes, kidney stones, high blood pressure, Parkinson’s and restless legs syndrome. How can you tell if these symptoms are related to nutrient deficiency and not a growth and development factor? Well, you could start by considering their diet. To be honest, it’s difficult to get enough magnesium from food to begin with. If your child isn’t eating enough magnesium-rich foods, you can be pretty sure that they need a boost of this important nutrient. Some experts suggest keeping a record of what your child eats in a day and then measure the amount of magnesium in their diet based on your notes. The recommended daily dosage for magnesium in children varies depending on their age. The National Institutes of Health recommends the following amounts: Birth to 6 months = 30 mg 7-12 months = 75 mg 1-3 years = 80 mg 4-8 years = 130 mg 9-13 years = 240 mg 14-18 years = 360 mg for girls and 410 mg for boys Children can be very picky eaters, especially through the toddler years. This can make getting magnesium-rich foods into their diet somewhat tricky. How to get magnesium into your kid… You have some options… If you are dealing with a picky eater, try incorporating magnesium-rich foods into meals they enjoy. Smoothies are one very easy way to deliver magnesium in a delicious form. Spinach is high in magnesium, and will easily blend into a fruit smoothie, where they won’t even taste it! Avocados and bananas can also be added to smoothies for more magnesium if your child is fond of those. One of the best ways to add magnesium to a smoothie is with pumpkin seed oil or pumpkin seed butter. Pumpkin butter is also great on toast with jam. Healthaliciousness.com notes that: “High magnesium foods include dark leafy greens, nuts, seeds, fish, beans, whole grains, avocados, yogurt, bananas, dried fruit, dark chocolate, and more.” The problem can be that absorbing the magnesium in your food isn’t always easy for your body, or your child’s, so they still don’t get enough. Another option is using Epsom salts. Pouring the salts into your child’s bath or using a bath bomb that contains Epsom salts will allow them to absorb magnesium through their skin. Again, this will help, but the magnesium in Epsom salts (magnesium sulfate) is not the most bioavailable form. The amount that you get from Epsom salts is somewhat low. Nourished Life talk about a more favorable option: “ The molecular structure of Magnesium Chloride is much more easily absorbed into the body than that of Epsom salt. So while both are wonderful, I find the effects of Magnesium Chloride much more intense. Magnesium salt typically comes from seawater and are often offered to those with severe deficiencies.” Wondering where you can find magnesium chloride? That’s easy— in EASE Magnesium topical spray. The formula contains pharmaceutical grade magnesium chloride hexahydrate to ensure optimal absorption and performance. Each spray delivers approximately 25 mg of magnesium, so you can easily measure how much your child should be getting. It absorbs into the skin within 90 seconds and enters the bloodstream, so it can get to where it’s needed in their body. We recommend 30-50 sprays per day for an adult (based on an average body weight of 150 lbs) so simply adjust based on your child’s weight. There are definitely other forms of magnesium supplements available, including pills and powders that you dilute in water. Topical supplements are easier to absorb and easier on your digestive system. Wellness Mama talks about her preference for topical magnesium: “The best way to supplement with magnesium, in my opinion, is by using it on the skin. This is not only the safest way, since the body will only use what is needed, but the most effective. Unlike internal doses of magnesium, topical magnesium does not have to pass through the digestive system and kidneys and can more quickly enter the blood and tissues of the body. I have experimented with a variety of magnesium supplements over the years and now stick exclusively to topical magnesium spray because I found it to be the most effective (and cost effective!).” If you want to read more about the difference between topical magnesium and oral supplements, check out this blog post. Are magnesium supplements safe for children? Absolutely. Talk to your health care professional about doses and whether or not magnesium supplements, and which ones, are right for your child based on their particular needs. In general, though, yes, it is safe. Your body does not keep stores of magnesium. What your body doesn’t need, it excretes.  If you want the best magnesium supplement for your child… You want EASE Magnesium topical spray. It’s safe and easy to use, and it’s extremely effective. There is also a Deep Soak option that you can add to their bathwater. Consider starting your child on EASE, you’ll be doing them a world of good! Click here to discover more . Related Links: http://www.goodhealth.co.nz/health-articles/article/3-ways-of-spotting-magnesium-deficiency-in-your-kids http://www.ctds.info/mgchild.html https://wellnessmama.com/3610/low-magnesium/ http://realhealthykids.com/signs-your-child-is-deficient-in-magnesium-the-foods-that-fix-it/ https://www.weedemandreap.com/nutritional-deficiencies-kids/ http://drcarolyndean.com/2010/10/should-kids-take-magnesium/ https://ods.od.nih.gov/factsheets/Magnesium-HealthProfessional/ https://www.ncbi.nlm.nih.gov/pubmed/25373528 https://www.healthaliciousness.com/articles/foods-high-in-magnesium.php https://www.nourishedlife.com.au/article/57056/difference-between-epsom-magnesium-salt.html
ESSENTIALAI-STEM
시간 제한 메모리 제한 제출 정답 맞은 사람 정답 비율 8 초 (추가 시간 없음) 512 MB 0 0 0 0.000% 문제 Mary Thomas has a number of sheets of squared paper. Some of squares are painted either in black or some colorful color (such as red and blue) on the front side. Cutting off the unpainted part, she will have eight opened-up unit cubes. A unit cube here refers to a cube of which each face consists of one square. She is going to build those eight unit cubes with the front side exposed and then a bicube with them. A bicube is a cube of the size 2 × 2 × 2, consisting of eight unit cubes, that satisfies the following conditions: • faces of the unit cubes that comes to the inside of the bicube are all black; • each face of the bicube has a uniform colorful color; and • the faces of the bicube have colors all different. Your task is to write a program that reads the specification of a sheet of squared paper and decides whether a bicube can be built with the eight unit cubes resulting from it. 입력 The input contains the specification of a sheet. The first line contains two integers H and W, which denote the height and width of the sheet (3 ≤ H, W ≤ 50). Then H lines follow, each consisting of W characters. These lines show the squares on the front side of the sheet. A character represents the color of a grid: alphabets and digits (‘A’ to ‘Z’, ‘a’ to ‘z’, ‘0’ to ‘9’) for colorful squares, a hash (‘#’) for a black square, and a dot (‘.’) for an unpainted square. Each alphabet or digit denotes a unique color: squares have the same color if and only if they are represented by the same character. Each component of connected squares forms one opened-up cube. Squares are regarded as connected when they have a common edge; those just with a common vertex are not. 출력 Print “Yes” if a bicube can be built with the given sheet; “No” otherwise. 예제 입력 1 3 40 .a....a....a....a....f....f....f....f... #bc#.#cd#.#de#.#eb#.#cb#.#dc#.#ed#.#be#. .#....#....#....#....#....#....#....#... 예제 출력 1 Yes 예제 입력 2 5 35 .a....a....a....a....f....f....f... #bc#.#cd#.#de#.#eb#.#cb#.#dc#.#ed#. .#..f.#....#....#....#....#....#... ..e##.............................. .b#................................ 예제 출력 2 Yes 예제 입력 3 3 40 .a....a....a....a....f....f....f....f... #bc#.#cd#.#de#.#eb#.#cb#.#dc#.#ed#.#eb#. .#....#....#....#....#....#....#....#... 예제 출력 3 No
ESSENTIALAI-STEM
Java BDD I notice there’s another Behavior Driven Development framework for Java called Instinct (via). I have commented on BDD before. Here’s an example test: import static com.googlecode.instinct.expect.Expect.expect; import com.googlecode.instinct.marker.annotate.BeforeSpecification; import com.googlecode.instinct.marker.annotate.Context; import com.googlecode.instinct.marker.annotate.Specification; public final class AnEmptyStack {     private Stack<Object> stack;     @BeforeSpecification     void setUp() {         stack = new StackImpl<Object>();     }     @Specification     void mustBeEmpty() {         expect.that(stack.isEmpty()).equalTo(true);     } }   Yeah, that’s… great. What would it look like in a doctest? >>> Stack<Object> stack = new StackImpl<Object>(); >>> stack.isEmpty() true   Of course you have to invent a REPL for Java, but I’m sure that’s not very hard. What does all that class infrastructure, setUp, mustBeEmpty and the weird DSLish stuff give you? Beats me. Doctest started in Python but now also exists in Ruby and Javascript. Someone needs to port the concept to Java too. People ported SUnit all over the place, so there’s no reason a good idea can’t spread. I can’t help feel that BDD is a case of a bad idea spreading; the motivations for BDD are fine (a change in developer testing workflow), but the technique they use to try to reach the desired workflow is totally bizarre. No related posts.
ESSENTIALAI-STEM
Dave Rodney David Anthony Rodney (born June 27, 1964) is a Canadian politician and was a Member of the Legislative Assembly of Alberta representing the constituency of Calgary-Lougheed, first as a Progressive Conservative and then the United Conservative Party when it was formed in July 2017 by the merger of the PC Party merged with the Wildrose Party. He was first elected in the 2004 provincial election and re-elected three times. He resigned on November 1, 2017, in order to open a seat for new United Conservative Party leader Jason Kenney. He was the first Canadian to ascend to the summit of Mount Everest twice. Early life Rodney was born June 27, 1964, in Mankota, Saskatchewan. He graduated with a Bachelor of Arts degree (with distinction) in 1987 and Bachelor of Education after-degree in 1988 from the University of Saskatchewan. He obtained his Master of Religious Education (with distinction) from Newman Theological College in Edmonton in 2002. Prior to being elected into the Legislative Assembly of Alberta, Rodney worked in a variety of capacities. He was an educator and administrator for 13 years in Canada, Nepal and the West Indies, and worked for three terms as an Employment and Immigration Canada placement officer. In 1997 he founded SpiritQuest Enterprises Inc., of which he was both president and CEO. He became an international keynote speaker, workshop facilitator, and worldwide adventure guide and worked with National Geographic, BBC, and Oprah Winfrey, among others, to produce more than 20 books and documentaries. He cofounded the Top of the World Society for Children with his wife, Jennifer. Political life Rodney first sought public office in the 2004 provincial election in the constituency of Calgary-Lougheed. In that election, he received 60% of the vote. During his first term in office, in addition to his responsibilities as an MLA, Rodney held the title of chair for each of Calgary caucus, the Standing Committee on Legislative Offices, and the Alberta Alcohol and Drug Abuse Commission (AADAC). He was also the government liaison for the Strategic Tourism Marketing Council, and served as a member on numerous committees. While Dave Rodney was Chairman of the Alberta Alcohol and Drug Abuse Commission (AADAC), specifically between January 2004 and September 2006, executive director Lloyd Carr (in charge of the commission's tobacco reduction unit) defrauded his agency of $624,500 through phony teen smoking reduction program grants of funds that Carr himself was the ultimate recipient of, according to the Alberta Auditor General's investigation and report. The Auditor General was severely critical of AADAC management's hiring and contracting practices, the absence of control mechanisms, as well as the Board's failure to provide oversight and general lack of substantive involvement in governance.. Carr was convicted of fraud and sentenced to 42 months imprisonment in 2010. Rodney sponsored a number of bills during the 26th Legislature; he sponsored one private member's bill, Smoke-free Places Act, 2005 and one private bill, Burns Memorial Trust Amendment Act, 2006, in addition to four government bills: Hotel Room Tax (Tourism Levy) Amendment Act, 2005, Health Statutes Amendment Act, 2007, Access to the Future Amendment Act, 2007, and Insurance Amendment Act, 2007. On March 3, 2008, Rodney was re-elected to a second term as MLA for Calgary-Lougheed with 53% of the vote. In the 27th Legislature, he sponsored a private member's bill, the Alberta Income Tax (Physical Activity Credit) Amendment Act, 2008. He is the chair of the all-party Policy Field Committee on Community Services, government liaison to the Strategic Tourism Marketing Commission, and member of each of the Agenda and Priorities Committee, Special Standing Committee on Members Services, and Cabinet Policy Committee on Community Services. After the election of Jason Kenney as leader of the United Conservative Party, Rodney announced that he was resigning as MLA for Calgary-Lougheed, effective November 1, 2017, in order to allow Kenney an opportunity to enter the legislature by contesting the seat in a by-election. Rodney did not seek a new seat in the 2019 provincial election. Personal life Rodney is married to Jennifer. The couple have two children and a puppy named MacGyver. Rodney has long been an active volunteer; prior to entering politics, he worked for more than 60 charities, both locally and globally. He has received many accolades for his philanthropic work and personal accomplishments, including the Queen's Golden Jubilee Medal for community service, a spot on Alberta Venture magazine's list of Alberta's 50 Most Influential People, and the dedication of a park "Rodney Ridge" in his hometown, (Yorkton, Saskatchewan) where he holds a spot on the sports hall of fame. Tragedy marred Rodney's 1999 ascent of Everest. Michael Matthews, a member of Rodney's expedition and the youngest Briton to climb Everest, died during his descent. Rodney was interviewed about this experience and featured on the 2023 Disney+ feature documentary, "Finding Michael".
WIKI
East Prairie Metis Settlement East Prairie Metis Settlement is a Metis settlement in northern Alberta, Canada within Big Lakes County. It is located approximately 20 km south of Highway 2 and 168 km east of Grande Prairie. It was founded in 1939. Chairperson, Raymond Supernault Vice Chairperson, Doug Bellerose Council Members, Delores Desjarlais, Keith Patenaude, Reva Jaycox Demographics As a designated place in the 2021 Census of Population conducted by Statistics Canada, East Prairie had a population of 310 living in 120 of its 148 total private dwellings, a change of NaN% from its 2016 population of 304. With a land area of 328.42 km2, it had a population density of in 2021. The population of the East Prairie Metis Settlement according to its 2018 municipal census is 491, an increase from its 2015 municipal census population count of 459. As a designated place in the 2016 Census of Population conducted by Statistics Canada, the East Prairie Metis Settlement had a population of 304 living in 98 of its 157 total private dwellings, a change of NaN% from its 2011 population of 366. With a land area of 334.44 km2, it had a population density of in 2016.
WIKI
Introducing the Howling Hex Introducing the Howling Hex is an album by The Howling Hex. It was released as an LP by Drag City in 2003. Track listing * All songs written by the Howling Hex Side one * 1) "Centerville Springs" * 2) "If You Can't Tell the Difference, Why Pay Less?" * 3) "Slapshot!" Side two * 1) "Catalytic Convert" * 2) "Be the Last to Stay in a Haunted House and You Will Inherit 50 Million $$" * 3) "Fatter Than Anything" * 4) "The Preserve, the Common"
WIKI
Python If-Else Statements In Python, if statements are used to test a condition and execute a block of code if the condition is true. If the condition is false, the code inside the if statement will not be executed. The if Statement The if statement is the simplest form of conditional statement in Python. The basic syntax is as follows: 1if condition: 2 # code to be executed if condition is True For example, the following code will print "Hello, World!" if the x variable is greater than 0: 1x = 1 2if x > 0: 3 print("Hello, World!") The if-else Statement The if-else statement allows you to execute one block of code if the condition is true, and another block of code if the condition is false. The basic syntax is as follows: 1if condition: 2 # code to be executed if condition is True 3else: 4 # code to be executed if condition is False The condition can be any expression that evaluates to a Boolean value (True or False). If the condition is True, the code in the if block will be executed, otherwise, the code in the else block will be executed. For example, the following code will print "Hello" if x is even, and "World" if x is odd: 1x = 3 2if x % 2 == 0: 3 print("Hello") 4else: 5 print("World") The if-elif-else Statement The if-elif-else statement allows you to check multiple conditions and execute different code blocks depending on the condition that is true. The basic syntax is as follows: 1if condition1: 2 # code to be executed if condition1 is True 3elif condition2: 4 # code to be executed if condition2 is True 5else: 6 # code to be executed if all conditions are False For example, the following code will print "A" if x is 1, "B" if x is 2, and "C" if x is anything else: 1x = 3 2if x == 1: 3 print("A") 4elif x == 2: 5 print("B") 6else: 7 print("C") Nested if Statements You can also use nested if statements to test multiple conditions. This means that you can put an if statement inside another if statement. The basic syntax is as follows: 1if condition1: 2 # code to be executed if condition1 is True 3 if condition2: 4 # code to be executed if both condition1 and condition2 are True For example, the following code will print "A" if x is 1 and y is greater than 0, and "B" otherwise: 1x = 1 2y = 2 3if x == 1: 4 if y > 0: 5 print("A") 6 else: 7 print("B") 8else: 9 print("B")
ESSENTIALAI-STEM
Discover How To Turn On Fitbit Alta HR Are you feeling vexatious to turn on Fitbit Alta HR? Mostly it happened when you can not be able to turn on after frequent trying. Don’t feel annoyed! It’s your time to explore the solutions. When Fitbit Alta HR is not in use, you can see its screen remains dimmed. In the moving time, if your wrist turns into you, it begins awaking up automatically. Or you can tap it double-time for turning it on again. Remember, Alta HR only responds when it is tapped not to swipe. Dip into our article that is for assisting you to get authentic information to learn How To Turn On Fitbit Alta HR accurately. How To Turn On Fitbit Alta HR To Turn On Fitbit Alta HR, you should set up Fitbit Alta HR devices first. Without setting up the device, you can’t turn on your device at all. So, in this middle part of the article, we are going to show you the whole process gradually. How to set up Fitbit Alta HR devices Before setting up the Fitbit Alta HR device, you have to charge it first. Otherwise, it won’t turn. Here, we are providing you the charging process of the Fitbit Alta HR device. Charging process of Fitbit Alta HR device For charging the Fitbit Alta HR, It would help if you plugged the included charging cable toward the USB port, which is on your PC or a charger. Clip-on the opposite edge of the charger into the port on the reverse of the Alta HR. Remember, you have to lock the charging cables pins along with the port securely. While the tracker is vibrating, you get realized that it is a secured connection. And you can also notice a battery symbol on the screen. Three seconds later, you can notice that the battery symbol is disappearing. For full charging, it takes up to 2 hours. For monitoring its battery level, you can tap it gently during the tracker is charging. You know that the wholly charged tracker usually displays a fixed battery icon. You may notice a message which is instructing you so that you can be able to set up the tracker if you did not set up your Fitbit Alta HR yet. If you have made a Fitbit account now, follow our steps below carefully. For using it amidst the tracker, use the Smart Phone, PC, Mac. Connect Fitbit Alta Hr To A Phone, Tablet, Or PC When you connect a Fitbit Alta HR to an iPhone, iPad, Android phone, or Windows 10 gadgets for transferring (or syncing) data into the Fitbit application, then you can see its stats in full view. Before turning on your Fitbit Alta HR device, it requires connecting the Fitbit account with a phone, tablet, or computer. It supports transferring all data again by connecting the devices. For setting up Fitbit Alta HR, we are providing you two simple methods as if you can understand properly. Method 1: Set Up Fitbit Alta HR With Your Android Phone, Tablet And More The free Fitbit app is entirely consistent with 200 plus gadgets, which supports Windows 10, Android, and the iPhone operating system. For starting, Step 1: Go to the link below where you can find the Fitbit app.  http://www.fitbit.com/devices. It’s good to know that the AppStore is for downloading IOS Application. The Google PlayStore is for Android gadgets such as One Plus, Google Pixel, Oppo, Lava, Huawei, Xiaomi, Samsung, Symphony, Motorola. Also, we run MicrosoftStore for Windows devices like Lumia phone, Surface tablet. Step 2: if you didn’t create an account with that store yet, you have to create an account first. Download and install the App for creating the account. Step 3: After installing the App, you have to open the App and hit on the Join Fitbit to create your Fitbit account. For more information, follow our guidelines properly, which can help you the most. Step 4: For connecting Fitbit Alta HR with your mobile or tablet, keep following our on-screen directions. You can “pair” it also. The pairing is meaning that the tracker and phone or tab are now able to communicate with each other. After doing the pairing, see our guide to know more extra about your current tracker, now you can explore your Fitbit dashboard. Method 2: There are two different parts under method 2 for presenting their processes immensely. 1. i) Set up Fitbit Alta HR with your Windows 10 PC. 2. ii) Set up Fitbit Alta HR with your Mac. Set up Fitbit Alta HR with your Windows 10 PC If you didn’t have an Android phone ever, don’t worry! Here’s another solution for you by using Windows 10 Computer (which runs with Bluetooth) and the Fitbit application. You can be able to set up, sync, and more without any wire if your computer has Bluetooth connection option. Otherwise, you have to use the dongle that has come with your Fitbit Alta HR box previously. To install the Fitbit app for your computer Step 1:Select the Start button, which is on your PC, then open up the Microsoft Store. Step 2: Go to the “Fitbit app,” next click on the “Free” for downloading the App into your PC automatically. Step 3: When you have not downloaded the App onto your PC, you could prompt it by creating an account along with the MicrosoftStore. Step 4: Tap on the “Microsoft account” for signing-in the Microsoft account, which you have created before. When you don’t have a Microsoft account, don’t get stressed! Follow our guidelines for creating a new Microsoft account. Step 5: Here, you can follow Step 3 of Method 1. Step 6: Follow the procedures from step 4 of Method 1 again. Set up Fitbit Alta HR with your Mac Since you are a Mac user, it is quite easy to set up the tracker with your Mac instantly, by using Bluetooth Connection. For setting up this method, firstly, you have to install a software app named Fitbit. For installing the Fitbit to Connect and set up your tracker, follow the process. For installing the Fitbit app on your Mac Step 1: You have to go here, http://www.fitbit.com/setup. Step 2: Scroll it down and tap on the option for downloading on Mac. Step 3: When it prompts, save the appearing file. Step 4: For opening the program which you installed before, search the file next and double-click on it. Step 5: Select the “Continue” to go through the program which you have installed earlier. Step 6: When prompt is complete, select “Set up a New Fitbit Device.” Step 7: Follow our guidelines strictly so that you can create a new Fitbit account yourself. You also can log-in to your previous account. After setting up your Fitbit Alta HR device, you can turn on your device within no time. Connecting More Than One Tracker To Device Fitbit Alta Hr provides you the function that you can be able to connect different models and multiple trackers into your gadgets. If you necessitate to learn How to Turn On Fitbit Alta HR, but still you have no idea about how you can do it, then regard one of those above processes stepwise. Now, turn on your heart rated wristband within two methods. We are hoping that our practicable article is capable of supporting you a lot, which can help you to understand these methods efficiently.
ESSENTIALAI-STEM
What You Need to Know About the 3 Kinds of Marijuana Stocks Marijuana stocks have attracted a lot of attention from investors over the past couple of years. And for good reason. With 29 U.S. states legalizing medical and/or recreational marijuana and Canada considering legalizing recreational use of the drug nationwide, marijuana has become one hot commodity. But all marijuana stocks aren't alike. Actually, there are three major categories. Here's what investors need to know about these three different kinds of marijuana stocks. Growers What's the most pure-play marijuana stock? Marijuana growers. These are the companies that cultivate marijuana and sell it to consumers. Most of the U.S.-based marijuana growers that are publicly traded have tiny market caps. However, it's a different story for Canadian marijuana growers. Canopy Growth Corporation (NASDAQOTH: TWMJF) boasts the largest market cap of any marijuana grower, at more than $1.1 billion. The company is a leading supplier of medical marijuana in Canada. Canopy's opportunities and risks reflect those of most stocks of marijuana growers. The company's opportunities lie primarily in expanded legalization of marijuana. Canopy is in prime position to profit from legalization of medical marijuana in Germany earlier this year. The company also stands to increase its revenue significantly if Canada allows nationwide use of recreational marijuana. Canopy's risks, though, are substantial. Any bumps in the road with marijuana legalization could hurt the stock. Its valuation is also sky-high, with shares trading at nearly 30 times sales. Biotechs Several biotechs around the globe are working to develop and market drugs using key chemical components of marijuana, referred to as cannabinoids. In many cases, these biotechs technically are using synthetic forms of these chemicals, but they're still usually categorized as marijuana stocks. The biotech primarily focused on cannabinoid development with the largest market cap is GW Pharmaceuticals (NASDAQ: GWPH) . Based in the United Kingdom, GW Pharma has a market cap of $2.5 billion. While the company already has a cannabinoid on the market in several countries, GW Pharma's relatively large market cap (for a marijuana stock, at least) stems mainly from the promise for another drug that isn't yet approved -- Epidiolex. GW Pharmaceuticals and other cannabinoid-focused biotechs must follow federal guidelines established by the Food and Drug Administration and the Drug Enforcement Agency. These biotechs could even benefit if efforts to legalize marijuana are slowed or thwarted , since legal marijuana could present a rival to their prescription drugs. The biggest risks for companies like GW Pharma, though, are those that all biotechs face, even those not involved in cannabinoid development. There's always the potential for clinical trial setbacks, failure to win regulatory approval, and disappointing launches even if approved. Supply providers Companies in the last category of marijuana stocks don't grow marijuana, sell marijuana, or develop drugs using any component of marijuana. So why are they called marijuana stocks at all? Supply providers make growing marijuana possible, through fertilizers, hydroponics, lighting systems, and other items critical to the cannabis industry. Scotts Miracle-Gro (NYSE: SMG) is the largest supply provider to marijuana growers. The company has moved aggressively in recent years to expand its presence in the hydroponics market, scooping up several smaller players. Many marijuana cultivators view Scotts subsidiary Hawthorne Gardening Company as the premier source for supplies. A lower risk profile makes stocks like Scotts Miracle-Gro appealing to many investors. Scotts is growing as a result of an expanding marijuana industry. At the same time, though, most of the company's revenue still stems from other sources, primarily its consumer lawn and garden products. However, Scotts isn't without other kinds of risks. The company competes with private-label brands of major retailers. And because it's still tied to the marijuana industry, many of the same problems that could hurt marijuana growers would affect Scotts stock also. What's the best kind of marijuana stock? Risk tolerance is the key determining factor for investors who are interested in buying marijuana stocks. Supply providers such as Scotts Miracle-Gro probably have the lowest level of risks. However, these stocks also don't have the growth potential that stocks such as Canopy Growth might have. Different stocks within each category will also have varied levels of risks. With Epidiolex performing well in multiple late-stage clinical studies, for example, GW Pharmaceuticals could have less risk than biotechs with cannabinoids in early-stage development. For some investors, the best kind of marijuana stock is no marijuana stock at all. The risks associated with these stocks are substantial and not suited for many individuals. Sometimes the hottest stocks are also the ones that can burn investors the worst. 10 stocks we like better than GW Pharmaceuticals When investing geniuses David and Tom Gardner have a stock tip, it can pay to listen. After all, the newsletter they have run for over a decade, Motley Fool Stock Advisor , has tripled the market.* David and Tom just revealed what they believe are the 10 best stocks for investors to buy right now... and GW Pharmaceuticals wasn't one of them! That's right -- they think these 10 stocks are even better buys. Click here to learn about these picks! *Stock Advisor returns as of August 1, 2017 Keith Speights has no position in any stocks mentioned. The Motley Fool has no position in any of the stocks mentioned. The Motley Fool has a disclosure policy . The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc. The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc.
NEWS-MULTISOURCE
Bad (cuneiform) The cuneiform bad, bat, be, etc. sign is a common multi-use sign in the mid 14th-century BC Amarna letters, and the Epic of Gilgamesh. In the Epic it also has 5 sumerogram uses (capital letter (majuscule)). From Giorgio Buccellati (Buccellati 1979) 'comparative graphemic analysis' (about 360 cuneiform signs, nos. 1 through no. 598E), of 5 categories of letters, the usage numbers of the bad sign are as follows: Old Babylonian Royal letters (71), OB non-Royal letters (392), Mari letters (2108), Amarna letters (334), Ugarit letters (39). The following linguistic elements are used for the bad sign in the 12 chapter (Tablets I-Tablet XII) Epic of Gilgamesh: * bad (not in Epic) * bat * be * mid * mit * sun * til * ziz sumerograms: * BE * IDIM * TIL * ÚŠ * ZIZ The following usage numbers for the linguistic elements of sign bad in the Epic are as follows: bad, (0 times), bat, (61), be, (16), mid, (7), mit, (8), sun, (1), til, (11), ziz, (8), BE, (2), IDIM, (2), TIL, (1), ÚŠ, (2), ZIZ, (1). Instead of a large horizontal, as seen in the (digitized form, but one type of "bad"), the sign is seen in the Amarna letters as composed of two opposite facing (triangles), the wedges. It can be seen here, Amarna letter EA 153-(lines 153:4, 11), for "King-Lord-mine", "LUGAL, Be-li-ia", or Be-lí-ia", where "bēlu" is Akkadian for "lord". Amarna letters The vassal city-state letters to the Pharaoh often reference the King (Pharaoh), as: "King, Lord-mine", where king is represented by LUGAL (king Sumerogram), for Akkadian language šarru-(sometimes LUGAL-ri, represented as "ŠÁR-ri", for king, ŠÁR=LUGAL). For the reverse of EA 362, Rib-Hadda to Pharaoh (plus lines 66–69 on clay tablet side), cuneiform sign be is used for "lord", Akkadian "bēlu". In EA 362, be is only used for the spelling of "lord". The entire topic of EA 362 is developed on the reverse side, (starting halfway on obverse). The listing of be uses, 10-times, on the reverse (and side lines of 66–69), are as follows: For "King, Lord-mine" (and partials): * (line 32)--LUGAL * (39)--LUGAL be-li-ia * (40)--be-li * (42)--be-li * (46)--LUGAL * (48)--LUGAL be-li line 51 * (51)--ù be-li i-di i-nu-ma line 51 * "And..Lord know, ..now ("now at this time")..." * "And..Lord know, ..[that] "now at this time"..." (a segue to the letter's ending!) * (53)--be-li-ia * (60)--LUGAL be-li-ia * (64)--LUGAL be-li-ia * (65)--LUGAL * (66)--LUGAL be-li * (68)--LUGAL be-li-ia Besides be in EA 362, bat is used on the letter's obverse (two adjacent lines). Form of BAD used in other signs The BAD/BAT sign has been used in other signs: * With a Gesh2 sign going through it 𒐕: for the Neo-Assyrian Cuneiform sign in Sumerian called MUŠEN, Akkadian: iṣṣūrum meaning bird, and giving the sound of ḪU. * 𒑙 as numeric value 2: A double BAD (also called double BAT, double ESHE3, or double UŠ2) * 𒀫 AMAR (unicode 1202B) meaning calf or Mar (the Akkadian word for "son") This sign is the base for many derivatives. * 𒍘 UŠUMX (unicode u+12358) * 𒍙 UTUKI, in the suffix, again with a Gesh2 sign going through it. * 𒆰 KUL * 𒉄 NAGAR * 𒑧, 𒑨 Elamite numerical 40 and 50 * Inside various letters like 𒄓, 𒄰, 𒇀
WIKI
3. Supporting your family member’s recovery Side-effects While antipsychotic medications can help with psychosis, they can also have side-effects. Common side-effects of newer antipsychotic medication include: weight gain drowsiness dizziness restlessness dry mouth constipation blurred vision increased blood sugar. Possible side-effects can be controlled if your relative: gets regular exercise and eats a low-fat, low-sugar, high-fibre diet (e.g., bran, fruits and vegetables) to reduce the risk of diabetes and help prevent weight gain and constipation uses sugarless candy or gum, drinks water and brushes their teeth regularly to increase salivation and reduce a dry mouth gets up slowly from a sitting or lying position to help prevent dizziness. If your relative finds the side-effects too disruptive, the physician may lower the dose, prescribe medications to reduce side-effects or switch to another medication. Your relative will be closely monitored, either in the hospital or as an outpatient, to ensure the medication is working and that side-effects are kept to a minimum.
ESSENTIALAI-STEM
Page:The Book of the Thousand Nights and a Night - Volume 3.djvu/206 180 O swordsmen armed with trusty steel! I bid you all beware ○ When she on you bends deadly glance which fascinates the sprite: And guard thyself, O thou of spear! whenas she draweth near ○ To tilt with slender quivering shape, likest the nut-brown spear. And when Ali bin Bakkar ended his verse, he cried out with a great cry and fell down in a fit. Abu al-Hasan thought that his soul had fled his body and he ceased not from his swoon till day- break, when he came to himself and talked with his friend, who continued to sit with him till the forenoon. Then he left him and repaired to his shop; and hardly had he opened it, when lo! the damsel came and stood by his side. As soon as he saw her, she made him a sign of salutation which he returned; and she delivered to him the greeting message of her mistress and asked, "How doth Ali bin Bakkar?" Answered he, "O handmaid of good, ask me not of his case nor what he suffereth for excess of love-longing; he sleepeth not by night neither resteth he by day; wakefulness wasteth him and care hath conquered him and his condition is a consternation to his friend." Quoth she, "My lady saluteth thee and him, and she hath written him a letter, for indeed she is in worse case than he; and she entrusted the same to me, saying, 'Do not return save with the answer; and do thou obey my bidding.' Here now is the letter, so say, wilt thou wend with me to him that we may get his reply?" "I hear and obey," answered Abu al-Hasan, and locking his shop and taking with him the girl he went, by a way different from that whereby he came, to Ali bin Bakkar's house, where he left her standing at the door and walked in.And Shahrazad perceived the dawn of day and ceased to say her permitted say. She said, It hath reached me, O auspicious King, that Abu al-Hasan went with the girl to the house of Ali son of Bakkar, where he left her standing at the door and walked in to his great joy. And Abu al-Hasan said to him, "The reason of my coming is that such an one hath sent his handmaid to thee with a letter, containing his greeting to thee and mentioning therein that the cause of his not coming to thee was a matter that hath betided him. The girl standeth even now at the door: shall she have leave to enter?"; and he signed to him that it was Shams al-Nahar's slave-girl. Ali understood his signal and answered, "Bring her in,"
WIKI
Page:Early western travels, 1748-1846 (1907 Volume 3).djvu/35 Rh The 10th the river seems to be falling. The 11th, 12th and 13th we remained, awaiting the departure. The 13th three Boats arrived from the Illinois belonging to Mr. Vigo. They were manned by about 30 French Canadian or Illinois oarsmen. A Frenchman who has resided in America for 14 years and whose business consists in shipping supplies of flour to New Orleans, told me that he would give me Letters for Illinois addressed to the Commandant of the Post of St Louis. He is at present settled in Pittsbourgh and his name is Audrain. This Audrain is said to be in partnership with one Louisière or Delousière who was exiled from France for having been concerned in the plot to deliver Havre to the combined English and Spanish fleets. This Louisière is at present absent from Pittsburgh. There is another Frenchman residing in Pittsburgh, Mr Lucas de Pentareau, an excellent Democrat, now absent. He passes for an educated man with legal knowledge.
WIKI
End stage liver disease in a 13-year old secondary to hepatitis C and hemochromatosis Mark Miller, Jeffrey S. Crippin, Göran Klintmalm Research output: Contribution to journalArticle 5 Scopus citations Abstract Hepatic parenchymal iron deposition is a well known complication of chronic hepatic inflammatory states. This can make the differential between chronic hepatitis and hereditary hemochromatosis difficult, however. The case of a 13-yr-old male with chronic hepatitis C and hereditary hemochromatosis resulting in end stage liver disease and the need for orthotopic liver transplantation is described. There has been no previously described case of the coexistence of these two diseases in a pediatric patient, resulting in end stage liver disease. The progression to cirrhosis in a patient of this age suggests a more rapid progression of the combined diseases than with either disease alone. Original languageEnglish Pages (from-to)1427-1429 Number of pages3 JournalAmerican Journal of Gastroenterology Volume91 Issue number7 StatePublished - Jul 1 1996 Externally publishedYes Fingerprint Dive into the research topics of 'End stage liver disease in a 13-year old secondary to hepatitis C and hemochromatosis'. Together they form a unique fingerprint. • Cite this
ESSENTIALAI-STEM
National LGBT Chamber of Commerce The National LGBT Chamber of Commerce (NGLCC) is a U.S. not-for-profit advocacy group that aims to expand the economic opportunities and advancement of the LGBT business community. Its headquarters are in NW in Washington, D.C. NGLCC is the exclusive certifying body for LGBT-owned businesses known as LGBT Business Enterprises (LGBTBEs), and advocates for LGBT business inclusion in corporate and government supplier diversity programs. In October 2017, the organization changed its name from the National Gay & Lesbian Chamber of Commerce to National LGBT Chamber of Commerce to better reflect the entire LGBT business community it serves. Overview The NGLCC was co-founded in 2002 by Justin G. Nelson and Chance Mitchell. Nelson has served as president since the NGLCC was founded, and Mitchell has served as CEO over the same period. Their goal was to create an organization that could support LGBT business owners and showcase the diversity of talent in the lesbian, gay, bisexual, and transgender communities. NGLCC provides direct links between businesses, corporate partners, government organizations and other community groups that support LGBT economic opportunity. In early 2004, NGLCC created a "diversity certification program", making the organization a national third-party certifying body for LGBT-owned businesses. The NGLCC has a network of more than 50 local, state, and international affiliate LGBT chambers of commerce, and serves to represent their economic interests and opportunities. The NGLCC offices employ approximately 15 full-time staff. The NGLCC runs an internship and fellowship program to support operations. NGLCC co-founders Justin G. Nelson and Chance Mitchell also serve on the board of directors. NGLCC senior executives also include Sabrina Kent, and Anthony Wisniewski. Jonathan Lovitz served as Senior Vice President of NGLCC and Director of nglccNY from 2015-2023 until being appointed to the US Department of Commerce by President Biden. In 2017 NGLCC released its first proprietary data, the "America's LGBT Economy Report". Among the findings reported: a typical LGBT business has been in business, on average, for more than 12 years and that LGBT businesses contribute more than $1.7 trillion to the U.S. economy and have created more than 33,000 jobs. In 2018 and early 2019, as the leading public policy organization on behalf of LGBT-owned businesses, NGLCC won the public sector contracting inclusion of certified LGBTBEs in Orlando, Florida; Nashville, Tennessee; Baltimore, Maryland; Jersey City, New Jersey; and Hoboken, New Jersey, while also advancing statewide bills in New York and New Jersey. Currently, California, Massachusetts, and Pennsylvania also include certified LGBT-owned businesses, along with major cities like Seattle, Newark, Columbus, and Philadelphia. LGBT Business Enterprise (LGBTBE) Certification Since 2004, the NGLCC has offered certification to businesses owned by LGBT people. This certification is intended to help corporate and government procurement teams source from LGBT-owned products and services, also known as supplier diversity. As of December 2023, NGLCC has certified 2,151 businesses across the United States. Certification is a multi-step process involving an application and supporting documents, a site visit, and final approval before a national certification committee. In August 2007 the NGLCC signed a memorandum of understanding with the Women's Business Enterprise National Council to provide opportunities for dual-certification as both a women-owned, and lesbian, bisexual or transgender-owned, business. In 2011 the Human Rights Campaign (HRC) began including active sourcing of LGBT certified businesses as part of the Corporate Equality Index, a national directory of gay-friendly workplaces. In 2017, HRC further expanded the index criteria to require LGBT-inclusion in supplier diversity programs as a stand-alone scored metric. In August 2017 it was announced that the Billion Dollar Roundtable will now include NGLCC certified LGBTs as a category of diverse vendors counted by corporations spending a billion dollars or more on procurement with diversity-owned firms. The Billion Dollar Roundtable was created in 2001 to recognize and celebrate corporations that achieved spending of at least $1 billion with minority and woman-owned suppliers. Corporate partnerships The NGLCC offers corporate membership. Over 300 companies are recognized as corporate partners of the NGLCC. Partnership provides benefits such as access to certified suppliers, recognition as supporters of the LGBT business community and opportunities to share best practice in supplier diversity. The NGLCC recognizes 10 companies as founding corporate members. * IBM * Wells Fargo * JP Morgan Chase & Co * American Express * Intel * Wyndham Worldwide * American Airlines * Ernst & Young * Aetna * Motorola NGLCC National Dinner The NGLCC National Dinner is an annual awards event held in November to celebrate progress in the LGBT business community. It was first held in 2003 and has been continuously presented at the National Building Museum in Washington, DC. It is attended by businesspeople, LGBT equality advocates, and political figures. Honors bestowed at the NGLCC National Dinner include: NGLCC/American Airlines ExtrAA Mile Award, Corporation of the Year, Supplier Diversity Advocate of the Year, and LGBT Supplier of the Year. The NGLCC/American Airlines ExtrAA Mile Award recognizes an LGBT or allied person, persons or organization that have gone the extra mile to support LGBT equality. Previous NGLCC National Dinner Honorees have included: former U.S. Secretary of State Hillary Clinton, NAACP Board Chair Emeritus Julian Bond, tennis legend and LGBT champion Martina Navratilova, former U.S. Secretary of Labor Hilda Solis, actress Judith Light, MSNBC news anchor Thomas Roberts, and NBA player Jason Collins. NGLCC International Business & Leadership Conference Every summer the NGLCC holds the NGLCC International Business and Leadership Conference. The three-day educational conference delivers leadership programming, networking, and engagement opportunities for LGBT business owners and allies. Educational programs include keynote speakers, the annual B2B Boot Camp for certified LGBT Business Enterprises, a chamber development track, marketplace expo, and one-on-one matchmaker meetings. It has previously been held in cities including Washington, DC, Minneapolis, Seattle, Las Vegas (several times), Chicago, Dallas, Fort Lauderdale, Denver, and Palm Springs. Over 1,200 people attended the 15th Anniversary 2017 NGLCC Conference in Las Vegas, Nevada. NGLCC Advocacy milestones The NGLCC became the first LGBT organization to ring the New York Stock Exchange Closing Bell on June 20, 2005. It rang the bell again on June 5, 2009, and January 10, 2011. In 2010 the NGLCC began international work (see above), eventually developing into NGLCC Global in 2013. In November 2011 the NGLCC unveiled a new Supplier Innovation Center covering a second floor in the building that houses their offices. The Supplier Innovation Center is designed to facilitate training opportunities and develop best practice for small businesses, and provide a space for local start-ups to operate. The NGLCC is offering scholarships to LGBT business owners in partnership with the Tuck School of Business at Dartmouth, to be held at the Supplier Innovation Center. In 2014, AB1678 became the first-in-the-nation public mandate requiring the intentional inclusion of certified LGBT Business Enterprises in contracting with a statewide agency, the California Public Utilities Commission. In 2015, Massachusetts became the first state to Include certified LGBTBEs in statewide contracting, enacted by Governor Charlie Baker with the guidance of the NGLCC. In 2016, NGLCC helped introduce the New York State Supplier Diversity Act to intentionally include LGBT, disability, and veteran owned firms in New York State contracting opportunities. That bill, along with a similar bill in New Jersey, are both in process with their respective legislatures. In 2018 NGLCC's advocacy and public policy team was responsible for the inclusion of certified LGBT Business Enterprises in the cities of Baltimore, Maryland; Jersey City, New Jersey; and Hoboken, New Jersey. That year the groundwork was laid for similar inclusion legislation to be implemented in Chicago, the District of Columbia, Nashville, Denver, and other major cities. In 2021, working with the NGLCC's advocacy and public policy team and NGLCC's local affiliate chamber, Three Rivers Business Alliance, the City of Pittsburgh became the first city in Pennsylvania to intentionally create an initiative to expand its inclusion of LGBT-owned businesses in municipal contracting and procurement opportunities. NGLCC-affiliated chambers The NGLCC works with more than 50 local, state and international chambers. In 2011, the NGLCC appointed a full-time position to oversee relations with affiliated chambers. The move is considered mutually beneficial to both local chambers and the national chamber. The NGLCC stopped national membership options in 2011, and all membership is now routed through affiliated chambers. Membership of an affiliated chamber infers membership of the NGLCC. Benefits for membership include a waiver of the fee required for supplier diversity certification. NGLCC corporate partners also offer benefits to members of affiliated chambers. Relations between affiliated chambers, the NGLCC, and the LGBT business community are overseen by the Affiliate Chamber Council (ACC). Affiliated US chambers • Mid-America Gay & Lesbian Chamber of Commerce (Kansas City) • Greater Phoenix Gay & Lesbian Chamber of Commerce • Tucson GLBT Chamber of Commerce • Los Angeles Gay & Lesbian Chamber of Commerce • Desert Business Association (Palm Springs) • Golden Gate Business Association (San Francisco) • Long Beach Community Business Network • Greater San Diego Business Association • Rainbow Chamber of Commerce Silicon Valley (San Jose) • Sacramento Rainbow Chamber of Commerce • Connecticut Alliance for Business Opportunities • Denver Gay and Lesbian Chamber of Commerce • Equality Chamber of Commerce (Washington, D.C.) • Key West Business Guild • Miami-Dade Gay & Lesbian Chamber of Commerce • Southwest Florida Business Guild (Sarasota) • Space Coast Business Guild (Rockledge) • Tampa Bay Business Guild • Greater Fort Lauderdale Gay and Lesbian Chamber of Commerce • Metropolitan Business Association of Orlando • Atlanta Gay & Lesbian Chamber of Commerce • Lesbian and Gay Businesses of Hawaii • Chicago Area Gay & Lesbian Chamber of Commerce • Indy Rainbow Chamber of Commerce (Indianapolis) • Kentuckiana Rainbow Chamber of Commerce (Louisville) • Rainbow Business & Professional Association (Portland, Maine) • Central Massachusetts Business Council (Worcester) • Greater Boston Business Council • Detroit Regional LGBT Chamber of Commerce (Detroit, Michigan) • Twin Cities Quorum (Saint Paul, Minnesota) • Gateway Business Guild (St. Louis, MO) • Lambda Business and Professional Association (Las Vegas) • 3 Degrees: Northern Nevada's GLBT Business & Professional Network (Reno) • Albuquerque GLBT Chamber of Commerce • National Gay & Lesbian Chamber of Commerce - New York • Triad Business & Professional Guild (Greensboro, North Carolina) • Plexus (Cleveland, Ohio) • Portland Area Business Association (Portland, Oregon) • Central Pennsylvania Gay and Lesbian Chamber of Commerce (Harrisburg) • Independence Business Alliance (Philadelphia) • Three Rivers Business Alliance (Pittsburgh/Greater Allegheny Region) • Nashville GLBT Chamber of Commerce • Greater Memphis GLBT Chamber of Commerce (Memphis) • Austin Gay & Lesbian Chamber of Commerce • San Antonio LGBT Chamber of Commerce • North Texas GLBT Chamber of Commerce • Hampton Roads Business OutReach • Richmond Business Alliance (Richmond, Virginia) • Greater Seattle Business Association • Massachusetts LGBT Chamber of Commerce • Inland Northwest Business Alliance (Spokane) • Wisconsin LGBT Chamber of Commerce (Milwaukee) * OUT Georgia Business Alliance (Atlanta) NGLCC Global In 2010 the NGLCC hosted the first LGBT trade mission to Argentina, joined by U.S. LGBT businesses. The trade mission met with government officials and business counterparts and formalized relations with the Argentine LGBT Chamber of Commerce. In October 2011 the NGLCC traveled to Bogota to lay the groundwork for a future U.S. certified LGBT trade mission to Colombia. NGLCC Global, a division of the National LGBT Chamber of Commerce, promotes the growth of small businesses and provides advocacy for broad-based economic advancement and empowerment of the global LGBT community. Through a variety of resources, NGLCC Global connects LGBT-owned and -allied companies, multinational corporations, and international affiliate chamber leaders and members. In 2016, NGLCC launched NGLCC Global LGBTI Business Week. Hosted by NGLCC in partnership with leaders and organizations committed to expanding global LGBTI economic opportunity, this was the first summit of its kind to converge economic, public policy, and global human rights experts with the goal of shaping a more equitable world for LGBTI citizens. The findings of the week were presented along with awards for top achievement in LGBTI business at the NGLCC National Dinner in Washington, DC, on Friday, November 18, 2016. NGLCC Global Affiliate Chambers include: Argentina Australia Canada Central & Eastern Europe Colombia Costa Rica Dominican Republic Mexico South Africa Sweden Uruguay * Cámara de Comercio Gay Lésbica Argentina (CCGLAR) * Gay and Lesbian Organization of Business and Enterprise (GLOBE) * Canadian Gay & Lesbian Chamber of Commerce (CGLCC) * East meets West * Cámara de Comerciantes LGBT de Colombia (CCLGBTco) * Cámara de Comercio Diversa Costa Rica (CCDCR) * Cámara de Comercio LGBT de la Republica Dominicana (CCLGBTRD) * Federación Mexicana de Empresarios LGBT (FME-LGBT) * The Other Foundation * Swedish Gay & Lesbian Chamber of Commerce (SGLCC) * Cámara de Comercio y Negocios LGBT de Uruguay (CCNLGBTU) Ecuador * Cámara LGBT de Comercio Ecuador (CCLGBTEC)
WIKI
Archana Suseendran Archana Suseendran (born 9 June 1994) is an Indian athlete who specializes in the sprint. She represented India at the 2019 World Athletics Championships, competing in women's 200 metres. She did not advance to compete in the semi-finals. She won a gold medal in the South Asian Games 2019 in the 100 metre women's race with a timing of 11.80 second, defeating Amasha De Silva of Sri Lanka. She has been banned for 4 years w.e.f. 22.02.2023 by a notification by National Anti-Doping Disciplinary Panel on 09.06.2023 for banned substance usage.
WIKI
Page:Balthasar Hübmaier.djvu/76 Bursen, and it is morally certain that Hübmaier was a member of this body. It was the general custom of the universities of that day to give much attention to disputation, as a means of fixing acquirements in memory and making one's entire mental resources instantly responsive to any demand. So great a master of dialectics, so eager a disputant as Eck proved himself to be during his whole life, would certainly magnify this part of his work as a teacher. From many sources we learn that his students were constantly exercised in debating disputed questions in theology, and such exercises were more than grateful to Hübmaier. Here he imbibed that ardent love of religious controversy which all his life was quite as characteristic of him as love of the truth. All his writings show that he revelled in discussion for its own sake, though also without doubt as a means of eliciting truth. It was in 1511, apparently, that Hübmaier received the master's degree, of which Eck makes mention in the words already quoted. According to the customs of the time, this degree in itself gave him the right to teach, but he seems in addition to have received a formal recognition as a
WIKI
Page:Bird Life Throughout the Year (Salter, 1913).djvu/213 Rh flying Guillemots and Razorbills whizz past overhead. Single birds, select parties, whole fleets of them—always in company with Puffins—paddle at ease, dive, bob up again like corks, splash along the surface of the water or rise clumsily, adjusting their steering gear by spreading feet and tail. Puffins swim up close to the boat; one of them will retain its hold upon the first-caught slippery fry, diving for more, until a whole string of them depends from its beak. A few weeks later there will be many young guillemots, which could never have made their way down from the ledges without parental assistance, each one swimming in the wake of the old bird. Now to change one's standpoint to the verge of the cliff, or reach, by the aid of a friendly gulley, some point midway between its top storey and the basement. All the grassy ledges are peopled by Herring Gulls, whose mottled young have mostly reached the sea, though some remain at the nests. Every suitable spot on the cliff face, where the rough grass covers earth of a sufficient depth to be burrowed into, is a warren of Puffins; their orange feet show up as spots of colour against the dark background. On the barer ledges stand the Guillemots, shoulder to shoulder, nodding their heads as if bowing to one another. We can see their bright green eggs on narrow exposed ledges where, if they rolled a couple of inches, they would go over the edge. No eggs are more wonderful in their beauty
WIKI
Wikipedia:Categories for discussion/Log/2009 June 10 Category:Repurposed shopping malls in the United States * The result of the discussion was: Merge. Vegaswikian (talk) 23:14, 17 June 2009 (UTC) * Suggest merging Category:Repurposed shopping malls in the United States to Category:Defunct shopping malls in the United States * Nominator's rationale: Merge. Very few shopping malls are ever converted to non-retail, in my findings. One of the ones in this category is a true repurpose, and the other appears to have been stalled since 2007 without any progress. I know of one or two stray malls that have been truly converted to non-retail uses, but such occurrences are usually to non-notable malls, and the instances are so few and far between that the "defunct" category suffices. Ten Pound Hammer, his otters and a clue-bat • (Many otters • One bat • One hammer) 23:44, 10 June 2009 (UTC) * Delete This is not an important classifier. Debresser (talk) 00:20, 11 June 2009 (UTC) * Merge per nom. Johnbod (talk) 02:02, 11 June 2009 (UTC) * Agree with merging. If a place indeed has a new function, than categorize it according to present function first and then as "defunct mall". NVO (talk) 17:35, 13 June 2009 (UTC) * Delete and merge as suggested. --JohnnyB256 (talk) 18:45, 15 June 2009 (UTC) * Merge per nom. And agree with NVO about how situations like this should actually be handled. Bearcat (talk) 22:40, 17 June 2009 (UTC) Category:Atheist and agnostic politicians * The result of the discussion was: delete. I find the questions raised below about the relative notability of the category between countries to be compelling. I also have a problem with the categories being run together -- and the inherent difficulty of categorizing when people don't agree on the exact definitions of the terms. While I have a great deal of sympathy for the difficulties faced by politicians in this category, it's far too general for use here. Subdivisions of the category should be fine, though.--SarekOfVulcan (talk) 17:47, 26 June 2009 (UTC) * Delete: * Nominator's rationale: Category appears to be of little if any value, and appears to have been created as a negative equity rather than a positive contribution to Wikipedia<EMAIL_ADDRESS>(talk) 22:53, 10 June 2009 (UTC) With all due respect, I would add that some of the reasoning displayed herein demonstrates why this category is so worthy of deletion. The category implies that: * Tentative delete Seems an irrelevant intersection. Unless the articles would show how their atheism or agnostism shapes their political views and actions. Debresser (talk) 00:19, 11 June 2009 (UTC) * Weak keep - I admit my opinion's a bit muzzy on this, but at least in the US it's damn near impossible to get elected if you don't espouse a belief in a god of some sort or another, and even then it had best be the "right" god. I suspect the same applies in many other countries, especially those in the Middle East and Latin and South America. This may mean that the intersection of "atheist" and "politician" rises to the level of defining characteristic even if other intersections of religion and "politician" don't. Otto4711 (talk) 04:47, 11 June 2009 (UTC) * Keep - very well populated category which is of particular interest to many in the increasingly secular or "post-religious" West. --Wassermann (talk) 06:26, 11 June 2009 (UTC) * a) unless a particular religion can be ascribed * b) based on the government in which he or she serves any politician can be declared an agnostic or an atheist. Any person's religious beliefs, at least outside the United States, are a private matter and not something third parties should attempt to categorise<EMAIL_ADDRESS>(talk) 19:23, 11 June 2009 (UTC) --William Allen Simpson (talk) 18:39, 14 June 2009 (UTC) * Split, if kept -- Athiest and agnostic are different positions to hold and should not be combined. The categoy should only be applied where the person has self-identified as such. Peterkingiron (talk) 00:01, 12 June 2009 (UTC) * Delete -- two different things. Moreover,""If there really are politicians that were elected because of their non-religious views, I'd be very surprised. * Strong Keep The issue here is not that politicians are being elected because of their atheist/agnostic beliefs, but that so few are. Especially in the United States, numerous sources have reported on how difficult it is for an atheist to win elected office, especially between the coasts. While politicians *can* be any denomination, their lack of denomination is a problem. This 2008 article in The New York Times noted that Pete Stark is the only one of 535 congressmen self-identify as a non-theist (a fact noted prominently in his article), that atheist bloggers opined that the best way to keep a Republican out of the White House in 2008 would have been to form "Atheists for McCain" and another noting that "We are where gays were at the time of Stonewall". Atheist politicians at the highest levels essentially face greater discrimination from the public (and are more defining) than being a U.S. politician who is LGBT, Native American, African American or Jewish American. For atheists and agnostics, "The subject's beliefs.. are relevant to the subject's notable activities or public life" and are clearly defining. As always, any such categorization should be based on reliable and verifiable sources and the lack of sources available to support identification as such is a wonderful reason to remove any questionable entry from this category. Alansohn (talk) 15:26, 15 June 2009 (UTC) * Keep per Wasserman and Alasohn.--Epeefleche (talk) 15:31, 15 June 2009 (UTC) * Delete. Since you'd have to list every Communist block politician, this category is potentially so large and unwieldy as to be meaningless.--JohnnyB256 (talk) 18:43, 15 June 2009 (UTC) * Delete being atheist or agnostic is not a notable intersection with politics generally - perhaps it may be in Iran or the USA, but not in North Korea, the Soviet Union, or much of today's Europe. Carlossuarez46 (talk) 21:52, 16 June 2009 (UTC) * Delete per last two commenters. We could have jurisdiction-specific categories for atheist politicians, but as a broad category covering all nationalities this is not wise, since it could include most communist politicians, many French revolutionaries, and a sizeable chunk of European politicians today. Also, combining atheists with agnostics is misleading and inappropriate. Good Ol’factory (talk) 02:38, 18 June 2009 (UTC) * Delete per Carlossuarez46 and Good Ol'factory, for three reasons: (1) combining agnostics and atheists is misleading; (2) there is significant variation in the defining-ness of this attribute across jurisdictions; and (3) given the problems that atheist political hopefuls face, I don't think it's unreasonable to assume that at least some of them lie about their religious beliefs. The good news is that the information is not completely lost; every article in this category should still be tagged with "(Nationality) politicians" and "(Nationality) atheists" or "(Nationality) agnostics" categories. –B LACK F ALCON (T ALK ) 20:26, 24 June 2009 (UTC) * With all due respect, as nominator of this WP:CFD, although I appreciate B LACK F ALCON 's vote, I don't quite understand what The good news is that the information is not completely lost; every article in this category should still be tagged with "(Nationality) politicians" and "(Nationality) atheists" or "(Nationality) agnostics" categories. means. Thanks<EMAIL_ADDRESS>(talk) 08:36, 26 June 2009 (UTC) * Delete Agree that it is a trivial intersection and that one's atheistic/agnostic religious views usually have very little to do with the political office. I could see an Atheist Communists etc category, since there is some connection there, but not in this case Corpx (talk) 10:34, 26 June 2009 (UTC) * Keep per Alansohn who I usually disagree with about stuff like this. Splitting atheists from agnostics is also a good idea. There are very few US politicians willing to admit being atheist, so the category conveys significant information. Re Good Olfactory's point about covering all nationalities, really, this is the English-language Wikipedia, and English speaking politicians (particularly US ones) are going to be more heavily represented than other nationalities throughout the encyclopedia. That's enough to populate the category fairly densely with politicians for whom the matter is significant. <IP_ADDRESS> (talk) 11:32, 26 June 2009 (UTC) Category:Cinderella * The result of the discussion was: Rename. Vegaswikian (talk) 23:15, 17 June 2009 (UTC) * Propose renaming Category:Cinderella to Category:Cinderella (band) * Nominator's rationale: Rename. Per main, dab. —Justin (koavf)❤T☮C☺M☯ 23:06, 10 June 2009 (UTC) * Rename I can't believe this wasn't named that way already. It's not like the band is the only thing with that name. Ten Pound Hammer, his otters and a clue-bat • (Many otters • One bat • One hammer) 23:45, 10 June 2009 (UTC) * Rename per Cinderella (band). 2 (at least) of its 3 subcats are also ambiguous and should follow suit. Occuli (talk) 00:14, 11 June 2009 (UTC) * Question Which two? Albums and songs? I don't know how ambiguous those really are, but if you want, you can tack them on here. —Justin (koavf)❤T☮C☺M☯ 01:28, 13 June 2009 (UTC) * Agree strongly. Debresser (talk) 00:17, 11 June 2009 (UTC) Category:Jewish economists * The result of the discussion was: Speedily deleted G4. Good Ol’factory (talk) 06:08, 11 June 2009 (UTC) * jewish economists * Nominator's rationale: Without opining on the legitimacy of the Category:Economists by nationality category, I would point out that this one is not a nationality, and is fundamentally racist. There is no category for other races or religions, nor ought there to be. The intersection of "Jewish" and Economist is not a matter of encyclopaedic interest. There is no encyclopaedic relationship between Judaism and practising economics.<IP_ADDRESS> (talk) 21:36, 10 June 2009 (UTC) * Delete An excellent point. We don't have a category for "Christian economists" or "Black economists". Shii (tock) 22:36, 10 June 2009 (UTC) * Agree Another "Jewish" category of irrelevant intersection. Why not nominate all of them together. Mind you, just the irrelevant ones. Debresser (talk) 00:16, 11 June 2009 (UTC) Categories for discussion/Log/2007 March 10. --William Allen Simpson (talk) 05:11, 11 June 2009 (UTC) * Speedy delete as nominated -- recent (May) re-creation of previously deleted material: * Tagged for speedy deletion - as a recreated category. No indication that consensus has changed regarding this category in light of the deletion of several other Jews by occupation categories recently. If speedy is declined, delete as there is, as noted in the previous CFD, no "Jewish way to do economics". Otto4711 (talk) 05:22, 11 June 2009 (UTC) * Strong Keep - Jews (whether ethnic or religious or both) of course have a very long, illustrious, and well-documented history of being involved in the study and practice of economics...and I'm quite sure that all of you who voted to delete this category fully know this to be true. Yet still you all voted en masse to delete it like a bunch of censorious automatons, seemingly blinded by your own POV which seeks to censor/delete any and all information dealing with Jews on Wikipedia. And also, just wondering...you all wouldn't happen to be tag-teaming or engaging in any kind of cabal-esque behavior in your quest to delete/censor all of the Jewish categories found on Wikipedia, would you? Because lately it sure seems like something is going on collaboratively behind-the-scenes regarding all of these Jewish categories... --Wassermann (talk) 06:15, 11 June 2009 (UTC) Category:Soviet Union canoeist stubs * The result of the discussion was: moved to WP:SFD * Propose renaming Category:Soviet Union canoeist stubs to Category:Soviet canoeists stubs * Nominator's rationale: Consistency with other professions from people who lived in the former Soviet Union. Chris (talk) 21:04, 10 June 2009 (UTC) * Close and move to WP:SFD. Otto4711 (talk) 21:32, 10 June 2009 (UTC) * Comment: Why does this need to be moved to WP:SFD? There are other canoeist stubs of different nationalities. The stub can stay. It is just the category of the stub that needs renaming. Chris (talk) 21:41, 13 June 2009 (UTC) * And those categories are managed by WP:SFD and not here. There is a specific exclusion for those and it is listed on the main CfD page. Vegaswikian (talk) 19:16, 14 June 2009 (UTC) * Withdrawn: Renaming has been trasnferred to WP:SFD. Chris (talk) 23:42, 14 June 2009 (UTC) Category:Quebecois cuisine * The result of the discussion was: Rename per revised nomination. Good Ol’factory (talk) 22:10, 18 June 2009 (UTC) * Propose renaming Category:Quebecois cuisine to Category:Québécois cuisine Category:Quebec cuisine * Nominator's rationale: Not sure about this one, created by an anon IP back in 2004. Québécois is a French word, with the accents. What we have now is a corrupted anglicized word. However, I generally don't like using non-English accented words in categories because I think it's harder for many users with standard English keyboards. While it looks like a noun, we do in fact at times use "Quebec" as an adjective in English -- i.e. "Quebec politics" -- and I have revised this nom to suggest this as the best route. As Jeremy makes clear below, Quebec is the proper adjective form in English. Shawn in Montreal (talk) 22:09, 10 June 2009 (UTC) * Comment. Are there any adjectival (I think this is correct) forms of Quebec being used? If not, then should this be a simple exception to the general rule? Vegaswikian (talk) 21:58, 10 June 2009 (UTC) * Actually, one thing I realized is that we do use Quebec as an adjective. For example, we say "Quebec politics" whereas we would not say "Canada politics." I'll modify my nom right now to reflect that, thanks. Shawn in Montreal (talk) 22:04, 10 June 2009 (UTC) I'm wondering if it's advisable to have Category:Québécois cuisine, accented, as a sub-category of Category:Quebec cuisine, in this case? Shawn in Montreal (talk) 13:48, 11 June 2009 (UTC) * Oppose It does not have accents in English always. Further, Quebecois is used to indicate ethnic Quebecois cuisine. So should be split in two (Cuisine in Quebec .vs. Quebecois cuisine) <IP_ADDRESS> (talk) 04:35, 11 June 2009 (UTC) * Actually, the non-ethnic Québécois fare -- Montreal bagels, smoked meat and the like -- are effectively covered in Category:Montreal cuisine, so nevermind. Shawn in Montreal (talk) 14:04, 11 June 2009 (UTC) * Note - According to the guidelines Quebec is the proper adjective form in English, so would be the proper format. This would be the preferred form according to the standards for national and regional cuisine we use in the Food and Drink Wikiproject. --Jeremy (blah blah) 06:41, 11 June 2009 (UTC) * Support It should be Quebec cuisine. -- Mathieugp (talk) 13:33, 11 June 2009 (UTC) * Support (the 2nd go) per nom & above discussion. Johnbod (talk) 01:54, 12 June 2009 (UTC) * Support. English expression preferable in English Wikipedia. --JohnnyB256 (talk) 12:21, 15 June 2009 (UTC) Category:Islamic travel writers * The result of the discussion was: Renaming to Category:Medieval Islamic travel writers to clarify category's purpose and to be uniform with corresponding Jewish category. Certainly it should be purged of modern travel writers who happen to be Muslim or from the Islamic world. Good Ol’factory (talk) 02:47, 24 June 2009 (UTC) * islamic travel writers * Nominator's rationale: Delete. As with Jewish travel writers below, there's no evidence on the record that this religion " " * Also, there's no evidence in the existing articles that each " " * Previous discussion at Categories for discussion/Log/2007 May 17. * --William Allen Simpson (talk) 17:09, 10 June 2009 (UTC) * Strong Keep per the last debate. Nom's comment is ludicrous, frankly! Johnbod (talk) 17:29, 10 June 2009 (UTC) * Keep – ludicrous is putting it mildly. I take it that WAS has read eg Ibn Battuta. Occuli (talk) 18:16, 10 June 2009 (UTC) * Delete I am sorry to disagree with so many outspoken fellow editors here and in the previous discussion, but I completely agree with the nominators rationale, and the arguments I have seen here and in the previous discussion have not convinced me otherwise. Debresser (talk) 00:14, 11 June 2009 (UTC) * Comment - WASimpson: why do you keep using so called "policies" you (or one of your close Wiki-associates) recently revised or rewrote to justify the continued deletion of dozens of perfectly valid, factual, and encyclopedic categories? Doesn't revising or rewriting certain "policies," and then immediately turning around and using those same changed "policies" you just rewrote or revised to justify the deletion of categories, qualify as a conflict of interest (at best) or outright manipulation of policies to suit your wishes (at worst)? --Wassermann (talk) 06:33, 11 June 2009 (UTC) * I too have noticed a tendency of WAS to quote himself in these 'official' looking blockquotes. There are now various WAS creations being transcluded into policy and onto categories; eg Categorization of people/boilerplate fact policy which transcludes into policy, and People by nationality, People by ethnicity (full of imperatives: where does "living people must have self-identified as a particular heritage" come from?). He can now rewrite policy and 1000s of category inclusion statements merely by editing his own documents, which are unwatched. Occuli (talk) 11:14, 11 June 2009 (UTC) * I have also noticed this tendency. I just don't have any idea what to do against such behavior. Debresser (talk) 20:23, 11 June 2009 (UTC) * Comment - Users Occuli and Debresser: we clearly need to report this behavior to ArbCom or something like that. Not sure exactly where this should reported to, but WAS's behavior is increasingly POV, irrational, and unacceptable...I mean, who does this guy think he is quoting policies he recently rewrote/changed in order to justify the wholesale wiping out of whole swathes of valid/factual/encyclopedia categories? As you wrote Occuli, explaining this situation perfectly: "[WAS] can now rewrite policy and 1000s of category inclusion statements merely by editing his own documents, which are unwatched." Absurd! --Wassermann (talk) 11:23, 13 June 2009 (UTC) --William Allen Simpson (talk) 18:50, 14 June 2009 (UTC) * Keep -- I take it that most of this is about historic travel writers from the Muslim world. I doubt it would be appropriate to apply to modern writers. Peterkingiron (talk) 00:04, 12 June 2009 (UTC) * On 2nd thoughts, Rename to Category:Medieval Islamic travel writers and purge it of any one after (say) 1800. Peterkingiron (talk) 00:13, 12 June 2009 (UTC) * Usually, that would be as early as 1400 in the middle east, and maybe as late as Good Queen Bess (~1560) in the hinterlands of Britain, but certainly no later than 1600. * rename and purge per Peterkingiron. The articles that are on this subject are interesting reading and would be helpfully grouped together. Hmains (talk) 04:04, 13 June 2009 (UTC) * Delete being Muslim and a travel writer is a trivial intersection. We have plenty of categories for the medieval travel writers of the Muslim world, like their counterparts in Christendom. Carlossuarez46 (talk) 21:54, 16 June 2009 (UTC) * Keep While there are a few entries I don't understand, the best example of what this category includes is Ibn Battuta, who is essentially known primarily for for his travel writing over 600 years ago. This really isn't about people who write for Frommer's, but those who have a strong defining characteristic of being Islamic authors who have written about their travels at a time when people did not travel, and relied on the accounts of individuals such as Ibn Battuta. The argument that this is a "trivial intersection", the playground equivalent of the retort "is not", is rather difficult to reconcile with the content of the category. Alansohn (talk) 21:14, 19 June 2009 (UTC) Category:Film awards for Best Animated Feature * The result of the discussion was: Rename. Vegaswikian (talk) 23:16, 17 June 2009 (UTC) * Propose renaming Category:Film awards for Best Animated Feature to Category:Awards for best animated feature film * Nominator's rationale: Once again, renaming per capitalization guidelines in WP:NCCAT and the fact that all awards in this category are not literally for Best Animated Feature. I was originally going to suggest that we rename as "Animated feature film awards," along the lines of Category:Documentary film awards. But my concern is that this could be misconstrued as a category for awards for animated features that are not for best in category, such as the Annie Award for Music in an Animated Feature Production. So I've used the recently renamed Category:Awards for best film as the model. This could then become a sub-cat of that category, too. Also, there's nothing stopping us from creating Category:Animated feature film awards as a top-level category for all long form animation awards -- best film and craft awards -- itself a subcat of Category:Animation awards, if needed, at a later date. Shawn in Montreal (talk) 14:15, 10 June 2009 (UTC) * Rename per nom. What, another one? Gah... Good comments by nom, though. I agree Category:Awards for best film should be used as a model. If the best film one ever changes, which it might, this one could also follow. Good Ol’factory (talk) 23:01, 10 June 2009 (UTC) Category:Musical forms * The result of the discussion was: no consensus. While people agree that something needs to be done, there is no consensus on whether "forms" is OK in the name of the category. King of &hearts; &diams; &clubs; &spades; 23:19, 13 July 2009 (UTC) * Propose renaming Category:Musical forms to Category:Arabic musical forms * Nominator's rationale: Category:Musical form holds musical forms. This plural category has been managed to keep only Arabic musical forms. Either major restructure or else rename Musical forms to Arabic musical forms. Ian Cairns (talk) 11:53, 30 May 2009 (UTC) Please add new comments below this notice. Thanks, Kbdank71 13:33, 10 June 2009 (UTC) * Rename and reparent per nom. It's doubtful if Yürük semai should remain in the cat in that case. Johnbod (talk) 17:13, 30 May 2009 (UTC) * AGREE that something needs to be done - as it stands this has caused confusion between form, style and genre. But also agree some forms in there are Turkish. Suggest Form in Asian music as the most useful missing category. Then Indian and Chinese forms can be added - it is not too many articles and it will be good to have them within Category:Musical form. Strongly recommend that the word "formS" be strenuously avoided. Thanks IC - good idea, very glad you mentioned it. Redheylin (talk) 01:12, 3 June 2009 (UTC) * Split to Category:Arabic musical forms and Category:Turkish musical forms, both of which should be subcats of Category:Muscial form. A few of the articles belong in both the Arabic and Turkish subcats, the others only in one or the other.--Aervanath (talk) 17:42, 9 June 2009 (UTC) * Relisted to generate a more thorough discussion so consensus may be reached. * Please avoid the word "forms" - it is taken by some people to mean "genres". That is the reason the category has been depopulated. If the music has explicit formal features it should be categorised under "musical form" - if not under "musical genres". Redheylin (talk) 19:08, 11 June 2009 (UTC) * Listify into List of musical forms. Clearly there is resistance to having form in the category name and the list has existed for a while and contains complete articles and not just stubs. The suggestion about splitting into two makes two very small categories out of a small category. A listify allows dual listing of the Arabic and Turkish relationships. Vegaswikian (talk) 18:52, 17 June 2009 (UTC) * Musical form is a technical term related to structure - there is a category so named. Musical styles and genres are not "forms" - there are only around a dozen "forms" listed in wiki. There are places to categorise genres and styles. This had not been understood and so it took hours to remove genres wrongly classed as forms. Only one editor resisted, otherwise this category would not exist. I am saying; it would be good to have a place to discuss Asian FORM: there are already places for GENRES and the confusing plural FORMS is to be deprecated. That includes List of musical forms. Where these few pages relate to structure, they belong in "form", otherwise they are styles and genres. Redheylin (talk) 18:53, 26 June 2009 (UTC) * The mentioned list is headed "This article erroneously mixes genre and form together. For instance, the term symphony (genre) describes a large, multi-movement work for orchestra but says nothing about the form of each of the movements." This is correct. I am sorry I have not yet been able to fix this, but PLEASE do not make matters worse by adding more forms and genres indiscriminately. Even a Category "middle eastern musical form" will be tiny - that is why I suggest "Asian musical form". Please may I have some explicit engagement with this suggestion? Redheylin (talk) 18:59, 26 June 2009 (UTC) * Keep - They are Turkish and Arabic musical forms. Badagnani (talk) 06:55, 1 July 2009 (UTC) * Support Rename with split to address uniquely Turkish forms. Alansohn (talk) 17:13, 2 July 2009 (UTC) * Most of the articles in question contain no formal information. Are there citations to support caling them "forms"? Redheylin (talk) 02:15, 4 July 2009 (UTC) Category:Diet food writers * The result of the discussion was: No consensus to delete. Someone could propose a rename in a new discussion. Good Ol’factory (talk) 02:43, 24 June 2009 (UTC) * diet food writers * Nominator's rationale: Delete. Moved its only article to more appropriate category. We already have Category:Food writers and Category:Health and wellness writers which are well-used and linked in. thisisace (talk) 20:18, 2 June 2009 (UTC) * Please reinstate whatever you removed. See the procedures. How can we consider a category that has been emptied? There may well be a case for a category (with a better name) with both of these as parents. Johnbod (talk) 17:11, 3 June 2009 (UTC) * Done. thisisace (talk) 20:51, 6 June 2009 (UTC) * Thanks! Johnbod (talk) 22:30, 6 June 2009 (UTC) * Rename to Category:Diet writers or Category:Writers on diet. can very easily be populated from the parents, & a useful sub-category of these. Johnbod (talk) 22:30, 6 June 2009 (UTC) * Delete - anyone who writes about food is writing about diet. If this is intended to capture people who have written books about specific diets - meaning weight loss plans - then the category is becoming too specific. Categorizing authors based on the subject matter of their books (as opposed to genre) is cutting things too fine. Otto4711 (talk) 14:39, 8 June 2009 (UTC) * Most food writers just address one dish or meal at a time. I'm open to different phrasing, but diet books are clearly a very different genre from cookery books, and recognised and placed as such in completely different sections (often not even in the food section) on the shelves of bookshops and elsewhere in the book trade. We have many far more minute distinctions than this in writer categories that have been upheld here. Obviously not all diet writing is about weight loss. Johnbod (talk) 18:19, 9 June 2009 (UTC) Please add new comments below this notice. Thanks, Kbdank71 13:26, 10 June 2009 (UTC) * Keep / Consider Rename There are people who write about cooking from an aesthetic standpoint and there are those who write about from a dieting standpoint, where the goal is to eat foods to reach some state of improved health. Irma S. Rombauer, author of The Joy of Cooking, was not writing about dieting, and most cookbook authors don't. Category:Health and wellness writers includes writers who address issues other than food as a means towards wellness. I would fully support a rename, but this category appears to capture a defining characteristic that would be eliminated by deletion or renaming. Alansohn (talk) 17:53, 9 June 2009 (UTC) * Relisted to generate a more thorough discussion so consensus may be reached. * Delete to make it clear that this should not remain. In reality Upmerge to the parent Category:Health and wellness writers to make sure that parentage is not lost. Vegaswikian (talk) 18:57, 17 June 2009 (UTC) * Any particular reason? Or for not upmerging to the other parent Category:Food writers? Johnbod (talk) 03:28, 19 June 2009 (UTC) * Yea, I don't know that I would classify them that way. Someone writing about diets is more often writing about the benefits of one type of diet over another. So I'm not convinced that there are writers on food, cooking, dining, and cultural history related to food. Vegaswikian (talk) 23:07, 20 June 2009 (UTC) * Excuse me if I don't find that at all pursuasive! Johnbod (talk) 23:20, 20 June 2009 (UTC) Category:A Nightmare on Elm Street films * The result of the discussion was: Delete. Vegaswikian (talk) 23:19, 17 June 2009 (UTC) * a nightmare on elm street films * Nominator's rationale: Delete. An unnecessary category. We already have Category:A Nightmare on Elm Street, which contains anything and everything connected to the series. We also have Template:Nightmareseries, which has a link to all of the major articles (including the films). We don't need an overly specific category just for the films when we have the template and a general Nightmare category. BIGNOLE (Contact me) 12:43, 10 June 2009 (UTC) * Delete - and parent the article on the franchise in Category:Film series if it's not there already. There is no need to maintain two separate categories and the template for this material. Otto4711 (talk) 21:33, 10 June 2009 (UTC) * Agree per nominator and Otto4711, which are in basic accord. Debresser (talk) 00:09, 11 June 2009 (UTC) * Delete there's nothing here that isn't already served by Category:A Nightmare on Elm Street. Alansohn (talk) 01:31, 11 June 2009 (UTC) Category:Haroon albums * The result of the discussion was: Close so it can be deleted via C1 as empty. NAC. Ten Pound Hammer, his otters and a clue-bat • (Many otters • One bat • One hammer) 02:15, 11 June 2009 (UTC) * haroon albums * Nominator's rationale: empty category about deleted non-notable musician, see Haroon (music producer). Hekerui (talk) 11:16, 10 June 2009 (UTC) * Comment – Google cache reveals a deleted album (by Haroon, not produced by H), a deleted song and a deleted article for Haroon (whose first album was entitled 'Gloom', but sadly there seems to have been no article). I have no idea whether these deletions were sound. Occuli (talk) 14:11, 10 June 2009 (UTC) * Close - if the album category remains empty for four days it can be tagged for speedy deletion. Otto4711 (talk) 22:34, 10 June 2009 (UTC) * Same as Otto4711. Debresser (talk) 00:08, 11 June 2009 (UTC) Category:Polygamy and the Latter Day Saint movement * The result of the discussion was: No consensus. Vegaswikian (talk) 23:39, 27 June 2009 (UTC) * Propose renaming Category:Polygamy and the Latter Day Saint movement to Category:Mormonism and polygamy * Nominator's rationale: Rename. Renaming to match main article Mormonism and polygamy. As discussed when the article was renamed, the proposed name actually reflects the contents a bit better, since polygamy has a lot to do with Mormonism but not a lot to do with the rest of the Latter Day Saint movement. (The article name has bounced around a bit lately, and I've just been renaming the category to follow it each time. Originally it was, then it went to what it is now, now we're changing it again.) Good Ol’factory (talk) 10:47, 10 June 2009 (UTC) * Keep The main article is now called "Mormonism and polygamy", but of all the other articles in this category, none have "Mormonism" in their title. "Latter Day Saint movement" is present in part of titles. On one hand the category name should be close to the main article's name, but we shouldn't forget about the other articles of the category. Especially when, as the nominator has mentioned, the main article is being renamed frequently. Since the present name is more inclusive (Mormonism being a part of the Latter Day Saint movement), I'd prefer to keep the more inclusive name. Debresser (talk) 11:07, 10 June 2009 (UTC) * Latter Day Saint movement is indeed broader than Mormonism; however, polygamy has been essentially nonexistent in the broader movement, existing only within Mormonism, which includes only the LDS Church and Mormon fundamentalism. CO GDEN 21:32, 13 June 2009 (UTC) * Comment – but it is (allegedly) a subcat of Category:Mormonism and women. If there are articles about non-Mormon LDS polygamy/polygamists, perhaps there is a case for keeping the present one with a subcat of Category:Mormonism and polygamy. Occuli (talk) 14:05, 10 June 2009 (UTC) * Clarification and comments (nom). The perceived problem with the current name is that outside of "Mormonism" (i.e., the LDS Church and Mormon fundamentalists), there is not really any history of polygamy whatsoever in the Latter Day Saint movement. The non-Mormonism strands of the movement are mainly the Community of Christ, the Church of Christ (Temple Lot), and some other small groups. None of the members of these groups ever practiced polygamy and the churches have never taught the doctrine of plural marriage. Debresser's point should be considered, though. The single article that now links the phrases "LDS movement" and "polygamy" is Current state of polygamy in the Latter Day Saint movement. For the non-Mormonism groups, this article basically says, "never has taught it and adherents never practiced it and actively opposes it." This may be enough to keep the name broader rather than Mormonism, I'm not sure. In light of this and Occuli's comment, which is also relevant, I'm a bit unsure of what to do. It is a close call; ultimately either will be acceptable to me. Good Ol’factory (talk) 22:58, 10 June 2009 (UTC) * Keep The people call themselves LDS, not Mormons: that is an abusive term used by others and WP articles have usually been renmed to the LDS format. A rename to drop "movement" might be acceptable, but that is all. Note I am an Evangelical Christian, and have no axe to grind on this. Peterkingiron (talk) 00:09, 12 June 2009 (UTC) * Mormons also call themselves Mormons. Ever heard of the Mormon Tabernacle Choir? Or the Mormon pioneers? An official website of the LDS Church is "mormon.org". It's not a term of abuse anymore, though it was intended to be so originally in the 1830s. Good Ol’factory (talk) 10:39, 12 June 2009 (UTC) * Agreed. Mormonism is not at all an abusive term, and is embraced especially by polygamists within the movement, as well as the LDS Church, who has actually created, for example, the Encyclopedia of Mormonism. Churches within the movement that have never practiced polygamy, such as the Community of Christ, are the only ones who oppose use of the term Mormonism. CO GDEN 21:32, 13 June 2009 (UTC) * Keep The standard in similar articles to this parent seems to include Latter Day Saint movement in the title, and the nominator has offered no convincing argument for a change. As a Gentile, it may be that a more thorough explanation of the nuance might convince me and other voters of the need for change. Alansohn (talk) 06:38, 12 June 2009 (UTC) * Similar "articles to this parent" (whatever those may be) are about the entire movement if they use the term "Latter Day Saint movement", and are not just Mormonism, which is a subgroup within the movement. Polygamy only has relevance within the Mormonism subgroup. I'm not sure what more there is to explain than my clarification above. Good Ol’factory (talk) 10:39, 12 June 2009 (UTC) * Rename Polygamy has essentially existed only within Mormonism, not within the broader Latter Day Saint movement. CO GDEN 21:32, 13 June 2009 (UTC) * Comment - at least one post succession crisis group that is not part of "Mormonism", but is part of the Latter Day Saint movement has a history of polygamy: the Strangites. -- <IP_ADDRESS> (talk) 23:02, 18 June 2009 (UTC) Category:Articles by class * The result of the discussion was: Delete for now. Could be re-created under a better name, if one can be had. Good Ol’factory (talk) 02:40, 24 June 2009 (UTC) * articles by class * Nominator's rationale: Delete. I am unsure whether this should be just deleted (assuming there is another core way of navigating basic subject areas) or if this should be renamed. If renamed I couldn't quite think of an appropriate alternative, just this doesn't quite fit this title. To illustrate when I put a note on the category talk page questioning the category, someone left this on my talk. "'articles by class' refers to whether an article is stub-class, Start-class, B-, A, Good, Featured, etc"; which if it was the nature of the category I would understand. But it isn't it's purpose. So ideas please! :: Kevinalewis : <sup style="color:#C90">(Talk Page) /<sub style="color:#C90">(Desk) 08:15, 10 June 2009 (UTC) * Delete I was surpised to see that the nominator is correct. If I wouldn't have checked, I would have made the same mistake as that editor answering on the nominators talkpage. The way it is, I see no rationale in having this category. Debresser (talk) 11:01, 10 June 2009 (UTC) * Delete – this category (courtesy of RK) is just 2 days old and should be deleted before it develops. Category:Articles, and above it Category:Contents, both also created by RK, already have some rather mysterious subcat schemes. I note that Category:Contents is the ultimate category, with no parent. Occuli (talk) 11:33, 10 June 2009 (UTC) * Rename & relocate Most of the scheme - Categories, Articles etc has been in place for 2yrs & has some very experienced editors in the histories. But this one is clearly misleadingly named. I always struggle a bit to see the use of such grand schemes, but that's just me. I think this category would be better renamed to Category:Categories for things and relocated to Category:Categories. Johnbod (talk) 12:16, 10 June 2009 (UTC) * Keep or Rename iff someone can think of a more appropriate name. (Disclosure: I created this category.) First of all this category has indeed nothing to do with article quality class system. It is one possible scheme of categorising articles, such as Category:Main topic classifications or Category:Fundamental, which have existed for several years. The intent of this scheme is to start with the type of object the article is about, similar to de:Kategorie:Objekt on the German Wikipedia. Class (as in class (philosophy) or class (computer science)) seemed to be a more concise term than type of object but it may indeed be confusing. —Ruud 14:21, 10 June 2009 (UTC) Category:Jewish travel writers * The result of the discussion was: Rename to Category:Medieval Jewish travel writers. This appears, as one editor mentioned, to be where consensus is pointing. In the end, it keeps most of the contents supporting the keep opinions and it focus the contents which hopefully address the issues raised in favor of deletion. Vegaswikian (talk) 07:01, 18 June 2009 (UTC) * Suggest merging Category:Jewish travel writers to Category:Travel writers * Nominator's rationale: Merge overcategorization by religion and/or ethnicity. There is no encyclopedic relationship between "Jewish" and "travel writer". Otto4711 (talk) 01:52, 10 June 2009 (UTC) --William Allen Simpson (talk) 17:29, 10 June 2009 (UTC) * Support per nom. No encyclopedic relationship. PasswordUsername (talk) 02:19, 10 June 2009 (UTC) * Agree per nominator. Debresser (talk) 10:57, 10 June 2009 (UTC) * Rename to Category:Medieval Jewish travel writers, dropping the last 2 who are modern. The medieval Jewish perspective on their world is very distinct and highly encyclopedic & worth keeping. Nb Category:Islamic travel writers was kept after a discussion, rightly. Johnbod (talk) 12:19, 10 June 2009 (UTC) * Here's the link to the previous discussion on Category:Islamic travel writers, Shawn in Montreal (talk) 14:24, 10 June 2009 (UTC) * The Islamic category, had the name change not been involved, would have been closed as "no consensus". The closer felt that the arguments for deletion were superior but didn't have consensus. The category was renamed because no one made the case for the intersection of religion (Muslim) and occupation (travel writer) being defining. If the assertion that the perspective of Middle Ages Jews is "very distinct and highly encyclopedic" then an article covering the topic would better serve the project than a bare alphabetical category, which can tell us nothing of this distinct perspective. Otto4711 (talk) 16:40, 10 June 2009 (UTC) * An article would not replace the category, though it would certainly be a good idea. That is a novel and strange idea - usually the existence of a main article is cited here as strengthening the case for a category, not the reverse. Johnbod (talk) 17:32, 10 June 2009 (UTC) * Neither novel nor strange. Not every topic that has an article on Wikipedia warrants a category that covers the topic. If that were the case every WP article would be eligible for its own category. I've made this argument before repeatedly. Where a lead article usually strengthens a CFD case is in selecting a rename for a category. Otto4711 (talk) 21:36, 10 June 2009 (UTC) * Thanks for the link, Sean. I've included it in the nomination above. And Otto is correct, an article is better. --William Allen Simpson (talk) 17:29, 10 June 2009 (UTC) * Delete as a violation of both policy and guidelines, cited above. Merge as nominated would be OK for selected articles, after checking whether they are already in nationality occupation categories. * Rename per Johnbod. Benjamin of Tudela for one is evidently a legitimate member of the category. Occuli (talk) 00:32, 11 June 2009 (UTC) * Rename per Johnbod. Purge it of any one after (say) 1800. Peterkingiron (talk) 00:11, 12 June 2009 (UTC) 1. Nationality. The Jews are a nation, not just a religion. The Wikipedia entry for "Jew" indicates, inter alia, that Jews are "members of the Jewish people (also known as the Jewish nation ...)." The Wiki definition of "nationality" states, inter alia: "Generally, nationality is established at birth by a child's place of birth (jus soli) and/or bloodline (jus sanguinis)." In the (abnormal) case of Jews, who consist of a nation that has largely been dispersed from its homeland, it would not be appropriate to delete. * Strong Keep. Other religions are in the "normal case" distinct from the nation. In other words, there was not a Protestant, or Buddhist, or Christian, or Hindu, or Aethiest nation per se. They are not a "people." They are not a "nation." Jews, peculiarly, are not just a religion. They are also a nation. Dispersed (largely) for a couple of thousand years. 2. Notability. Wiki policy calls for a sensitivity towards "notability." To determine what notability means here, one must go to Wikipedia:Notability (people), the notability criteria guideline for Wikipedia. That guideline states, inter alia, that "Notability on Wikipedia for people is based on the following criterion: The person has been a primary subject of multiple non-trivial published works whose source is independent of the person. This criterion includes published works in all forms, such as newspaper articles, magazine articles, books, scholarly papers, and television documentaries ...." Thus, where one is noted as being a Jew in multiple non-trivial published works whose source is independent of the person, such as newspaper articles, magazine articles, books, and the like, they meet the notability requirement. And thus it would be appropriate to have a distinct category. These already exist for various types of Jewish athletes. And, importantly, there are a number of Halls of Fame and lists and articles relating to Jews. 3. See also Wiki Naming Convention Policy 3.3, which demonstrates that something such as "Jewish travel writers" is clearly contemplated, saying ... Heritage People are sometimes categorized by notable ancestry, culture, or ethnicity, depending upon the common conventions of speech for each nationality. A hyphen is used to distinguish the word order: ....The heritage should be combined with the occupation, replacing the nationality alone (for example, Category:African-American actors). Concurrent citizenship may be reflected by duplicating the occupation (for example, Category:Jewish American actors and Category:Israeli actors)."--Epeefleche (talk) 06:52, 12 June 2009 (UTC) * Per Categorization of people, Wikipedia also "supports categorizing People by religion and People by race or ethnicity." Also, as it states "People are usually categorized by their nationality and occupation, such as Category:Ethiopian musicians." * Furthermore, per Categorization/Ethnicity, gender, religion and sexuality, "General categorization by ethnicity, gender, religion, or sexuality is permitted', with the following considerations: * Terminology must be neutral.... * Subcategories by country are permitted, although terminology must be appropriate to the person's cultural context.... * Inclusion must be justifiable by external references. (For example: regardless of whether you have personal knowledge of a notable individual's sexual orientation, they should only be filed in a LGBT-related category after verifiable, reliable sources have been provided in the article that support the assertion.) People who occupy the grey areas are not a valid argument against the existence of the category at all; if they don't fit, they just shouldn't be added to it." * Clearly, this category is just the sort contemplated by Wikipedia guidelines.--Epeefleche (talk) 18:55, 12 June 2009 (UTC) * Furthermore, one must distinguish the issue of whether an individual warrants inclusion in the category, per Categorization/Ethnicity, gender, religion and sexuality, and whether the category should be deleted. The guideline clearly states, “People who occupy the grey areas are not a valid argument against the existence of the category at all; if they don't fit, they just shouldn't be added to it.”--Epeefleche (talk) 19:49, 12 June 2009 (UTC) * Otto, is it the case that you are deleting only Jewish categories, and not categories of other ethnicities/religions/nationalities? And if that is the case, why would that be? Tx.--Epeefleche (talk) 06:50, 14 June 2009 (UTC) * Otto, failing a response here, I just checked your last 500 edits, and found that to be the case. I see that while you sought to delete the categories of Jewish surnames, Jewish American models, Jewish astronauts, Jewish chess players, Jewish shutterbugs, Jewish conductors, Jewish economists, Jews by occupation, Jewish travel writers, Jewish fashion designers, and Hebrew names, you did not at the same time seek to delete any categories of other nations, religions, or ethnicity. As I asked above, why would that be?--Epeefleche (talk) 06:07, 16 June 2009 (UTC) --William Allen Simpson (talk) 18:53, 14 June 2009 (UTC) * Judaism is not a nationality. The Wikipedia entry for "Jew" does not say "also known as the Jewish nation". The policy sections cited are for nationalities. These occupations are subcategories of Category:People by religion and occupation. * WAS: The article has long referred to Jews as a nation, as Johnbod has pointed out below, though an editor did just recently delete that reference, which I've since restored with supporting citations from Supreme Court Justice Brandeis and others. The Jewish ethnicity, nation, and religion of Judaism are strongly interrelated, as Judaism is the traditional faith of the Jewish nation. --Epeefleche (talk) 14:50, 15 June 2009 (UTC) * I agree with the previous editor (and stand by my delete), because being Jewish is being part of an ethnic group, not of a nation. I fail to understand the reason why this is a cause of discomfort for some. Being Jewish myself, I see nothing wrong with it. Debresser (talk) 22:21, 14 June 2009 (UTC) * Comment I do not think that these CfDs are the place to debate the "Jews as a nation" thesis. There's got be a single, more appropriate place -- a WikiProject discussion forum, main nationalities category talk page, something. Otherwise it seems like a someone trying to redefine the definition of "nation" in Wikipedia, to suit their purposes, on the fly. Shawn in Montreal (talk) 16:29, 15 June 2009 (UTC) * The previous editor was at least the 6th editor who expresses being uneasy with what's going on here. (Yes, I can find diffs from 6 different editors.) So what should be done? Debresser (talk) 16:36, 15 June 2009 (UTC) * Great question. I see that some editors have sought to raise this issue by: 1) seeking to delete references to categories of Jews and/or Jewish/Americans, etc.; 2) the conversations in the past have been based in part on incomplete and/or incorrect discussions (leading to the recent deletion of at least one category); 3) this has spilled over into the recent deletion (though that has been corrected) of the long-standing reference in the Wikipedia entry for Jews to the fact that they are considered a nation ... with the follow-on denial of that fact in these discussions. This is both disturbing and inefficient, to my view.--Epeefleche (talk) 17:28, 15 June 2009 (UTC) *:Delete per nom. Rename per Johnbod and building consensus now appearing to take form at Islamic counterpart, above. IMO, this Jews are a "nation" thesis is just a way to bypass the stricter requirements on occupation by religion/ethnicity, nothing more. Shawn in Montreal (talk) 17:37, 15 June 2009 (UTC) * changing to rename above. I think I let my frustration at the Jewish nation-building going on here get the better of me. Regardless of that, I believe the medieval writers could be encyclopedic? Shawn in Montreal (talk) 19:54, 15 June 2009 (UTC) * Possibly. But the fact remains that many, including veterans of these discussion pages, have expressed concern. Debresser (talk) 17:41, 15 June 2009 (UTC) * No doubt there are those who would posit that this "Jews are not a "nation" thesis" -- unsupported, as distinct from the contrary thesis which has supporting citations from Justice Brandeis, Albert Einstein, scholarly works, etc. -- is just an attempt by some who appear to have singled out Jewish categories to seek to eliminate them, nothing more.--Epeefleche (talk) 18:28, 15 June 2009 (UTC) * Delete Lest one also have Presbyterian or Unitarian travel writers, having a category for Jewish travel writers seems weird. --JohnnyB256 (talk) 18:40, 15 June 2009 (UTC) * Question Why isn't Chaim Joseph David Azulai in this category? He was the first one I thought about when I saw the name of this category and the article mentions his travels and writing about them. Debresser (talk) 18:46, 15 June 2009 (UTC) * Delete being a travel writer and being Jewish (ethnically or religiously) is a trivial intersection. Carlossuarez46 (talk) 21:55, 16 June 2009 (UTC) Category:Tamils of Sri Lanka * The result of the discussion was: Withdrawn by nominator. * Re-listed at Categories for discussion/Log/2009 June 11. * Suggest merging Category:Tamils of Sri Lanka to Category:Tamil Sri Lankans * or rename Category:Tamil Sri Lankan as umbrella topic category * Nominator's rationale: Merge. Two nearly identically named ethnic subcategories for the same island, populated only by a few different subcategories. The later name matches the form of Category:Tamil Indians, Category:Tamil Singaporeans, Category:Tamil South Africans, etc. * --William Allen Simpson (talk) 00:15, 10 June 2009 (UTC) * keep This nomination is confused. Category:Tamils of Sri Lanka contains subcats on culture, politics, history and the like while Category:Tamil Sri Lankans contains subcats and articles on individuals. Not identical at all. — Preceding unsigned comment added by Hmains (talk • contribs) * Rename Category:Tamils of Sri Lanka to Category:Tamil Sri Lanka to make the distinction in content more evident. Debresser (talk) 10:56, 10 June 2009 (UTC) * Rename per Debresser. This (as set up) is a topic category, subcat of Category:Tamil and parent cat of the people cat Category:Tamil Sri Lankans. Occuli (talk) 11:11, 10 June 2009 (UTC) * Rename per Debresser - doesn't WAS look at the categories he nominates at all? The rename is clearer. Johnbod (talk) 12:27, 10 June 2009 (UTC) --William Allen Simpson (talk) 16:52, 10 June 2009 (UTC) --William Allen Simpson (talk) 19:32, 11 June 2009 (UTC) * Comment – Of course, I checked every subcategory. As noted in the nomination, I also checked other Tamil societies in several countries, where this category has no parallel. * Then didn't it occur to you that merging a general category into a people category was not a good idea? Johnbod (talk) 17:34, 10 June 2009 (UTC) * That would match many other categories, including other Tamil "nationality" categories. --William Allen Simpson (talk) 16:52, 10 June 2009 (UTC) --William Allen Simpson (talk) 19:32, 11 June 2009 (UTC) * Comment – As to the reflexive hostility and counter-rename, naming conventions would require Category:Tamil Sri Lankan for the topic category – note the trailing 'n' – singular topic, plural set (of people). Added to the nomination. * I fail to understand this last argument and proposal. IMHO Category:Tamil Sri Lanka is correct. Perhaps you could specify which naming convention you are refering to and why. Debresser (talk) 00:04, 11 June 2009 (UTC) * Your failure to understand is not the responsibility of others. Read the policies. Look at recent discussion. Pay attention.
WIKI
Jeoffrey Benward Jeoffrey Benward (born January 10, 1952) is an American Contemporary Christian music singer and songwriter. He has been involved in the Christian music business since the 1970s, but achieved attention when he formed a duo with his son, Aaron, called Aaron Jeoffrey in 1995. His grandson is actor and singer Luke Benward. Life and career Benward was born in Fort Wayne, Indiana. His father, Keith Benward, was also a singer. In the 1970s, Jeoffrey actively toured and recorded, garnering a reputation as one of the industry's most accomplished singer-songwriters. During his early solo career, he released four albums for Forefront Records. He also co-wrote Phillips, Craig and Dean's No. 1 hit "The Concert of the Age." In the early 1990s, Jeoffrey was surprised to find out his son Aaron wanted to follow his steps. They decided to form a duo debuting in 1995. They ended up releasing three successful albums together, being also nominated for several Dove Awards. In the late 1990s each of them decided to follow their individual careers. He released a self-titled album in 2000. Father and son still occasionally perform together. Benward was inducted into the Christian Music Hall of Fame. He and his former wife, Candice, have three children: Aaron, Sareece and Colin. Solo discography * Jeoff (1972) * Jeoff Benward (1985) * The Redeemer (1988) * Set It Into Motion (1990) * Strength For The Journey The Best of Jeoffrey Benward (1996) * Jeoffrey Benward (2000)
WIKI
User:Jeth888/guestbook This is the Guestbook of J ET H 888 . If you wish to write an entry, please click here * 1) Well, this ought to be started by someone. J ET H 888 * Hi, Jeth888. I'm just dropping by. Filipinayzd 14:58, 11 July 2019 (UTC) * Hi, Jeth888. This is my very first time of signing a "Guestbook" in the Internet or anywhere else. Savour. --Likhasik (talk) 18:20, 17 February 2022 (UTC)
WIKI
Isle of Wight Festival 2006 The Isle of Wight Festival 2006 was the fifth revived Isle of Wight Festival on the Seaclose Park site in Newport on the Isle of Wight. It took place between 9 and 11 June 2006. The attendance was around 55,000 and the event was dubbed the biggest festival in England, because Glastonbury was on its break year. It was the last of three consecutive years of Nokia sponsorship, which saw the likes of The Who, David Bowie and R.E.M. grace the Island stage. New additions to the festival site included the Bandstand, which allowed local bands to perform, the Carling warm beer amnesty and the Strawberry fields a large area of bars and music venues. The festival achieved island-wide promotion by displaying the 2006 logo on Isle of Wight service buses. These buses were used to shuttle festival goers to a commemorative statue of Jimi Hendrix at Dimbola Lodge in Freshwater Bay near Afton Down (where the 1970 festival was staged). The festival was filmed and highlights were shown on late night broadcasts on Channel 4. Notable moments included Coldplay covering Lou Reed's 1972 song 'Perfect Day' during their Sunday night headline performance after the ex-Velvet Underground frontman failed to play it in his 'unpredictable' set earlier in the day. Coldplay singer Chris Martin told media that Lou Reed had asked them to do the cover to 'placate the crowd'. The Sunday also saw Procol Harum return to the festival for the first time since they played at the original version of the festival in 1970. Friday * The Prodigy * Placebo * Goldfrapp * The Rakes * Morning Runner Saturday * Foo Fighters * Primal Scream * Editors * Dirty Pretty Things * The Kooks * The Proclaimers * Suzanne Vega * The Upper Room * 747's * The On Offs Sunday * Coldplay * Richard Ashcroft * Lou Reed * Maxïmo Park * Kubb * Procol Harum * Delays * Marjorie Fair * CatHead * The Windows * Skyline Heroes
WIKI
Caterpillar and Hunt Energy Company, L.P. Sign Long-Term Strategic Agreement to Deliver Power Solutions for Data Centers IRVING, Texas, Aug. 21, 2025 /PRNewswire/ -- Caterpillar Inc. (NYSE: CAT) and Hunt Energy Company, L.P. (Hunt Energy) today announced a long-term strategic collaboration agreement focused on delivering highly efficient, independent energy production. With customer success at the core of every project, this collaboration will ensure reliability and performance is delivered to meet the demanding "always-on" needs for data centers. "Caterpillar is excited to continue to collaborate with Hunt Energy to deliver robust and efficient energy solutions for data centers," said Melissa Busen, senior vice president, Caterpillar Electric Power division. "Hunt's proven expertise in energy infrastructure complements Caterpillar's leadership in power systems, enabling us to jointly develop scalable solutions that meet the high demands of reliability, uptime and performance critical to data center operations." Caterpillar will leverage its diverse portfolio of power solutions, including natural gas and diesel generation equipment, gas turbines, switchgear, controls, aftertreatment and engineering design services. Caterpillar will also provide leading‐edge monitoring and servicing capabilities, ensuring customers have complete assurance in uninterrupted power delivery, with or without a connection to the power grid. Hunt Energy will contribute its deep expertise in infrastructure development, project financing and operational execution for data center and distributed energy resource projects. They will also bring their significant experience in battery energy storage (BESS) projects, having deployed over 310 MWs of BESS solutions in the last four years. The first project is expected to launch in Texas, marking the start of a multi-year initiative to deliver up to 1GW of power generation capacity for data centers across North America, laying the foundation for future global deployment. "This partnership with Caterpillar represents a major step forward in our commitment to delivering innovative and flexible energy solutions," said Hunter Hunt, chief executive officer at Hunt Energy. "Starting in Texas, we're laying the foundation for a new era of data center power infrastructure." With a combined 190 years of industry experience, the two companies bring a unique blend of land assets, strategic resources, best-in-class products and capital, uniquely positioning them to deploy these solutions effectively and at scale. About Hunt Energy Founded in 1934, Hunt is a private, family-owned Company with a 90+ year history in global energy and real estate development. Operating across four continents, Hunt has built and managed a wide range of infrastructure, including upstream oil and gas facilities, pipelines, refineries, LNG terminals, high-voltage transmission systems, and other complex assets. Through its affiliate, Hunt Energy Network, the Company currently operates 310 MW of distributed energy assets in Texas, with plans to expand beyond 1 GW. Hunt Realty Investments is a major presence in North Texas with landmark projects that include the Hyatt Regency Dallas Hotel and Reunion Tower, North End (anchored by the Goldman Sachs headquarters building and featuring a world-class park), and the Fields development in Frisco, which has become home to the PGA and a new Universal Studios theme park. The combination of Hunt's deep expertise in both energy and real estate is a formidable foundation upon which to grow integrated solutions for the next generation of AI-driven infrastructure globally. About Caterpillar With 2024 sales and revenues of $64.8 billion, Caterpillar Inc. is the world's leading manufacturer of construction and mining equipment, off-highway diesel and natural gas engines, industrial gas turbines and diesel-electric locomotives. For 100 years, we've been helping customers build a better, more sustainable world and are committed and contributing to a reduced-carbon future. Our innovative products and services, backed by our global dealer network, provide exceptional value that helps customers succeed. Caterpillar does business on every continent, principally operating through three primary segments – Construction Industries, Resource Industries and Energy & Transportation – and providing financing and related services through our Financial Products segment. Visit us at caterpillar.com or join the conversation on our social media channels. View original content to download multimedia:https://www.prnewswire.com/news-releases/caterpillar-and-hunt-energy-company-lp-sign-long-term-strategic-agreement-to-deliver-power-solutions-for-data-centers-302535794.html SOURCE Caterpillar Inc.
NEWS-MULTISOURCE
Hey , I'm having trouble showing data from my data base in php. i always get the " No database selected " line and also i was wondering why the second echo doesn't show the result is : first echo No database selected this is my code <?php require($_server["DOCUMENT_ROOT"]."/config/db_config.php"); $connection = mysql_connect($db_host, $db_user, $db_password) or die("error connecting"); mysql_select_db($site, $connection) ; $query = "SELECT * FROM `example`"; echo "first echo <br>"; $result = mysql_query($query) or die(mysql_error()); echo "second echo<br>"; $row = mysql_fetch_array($result) or die(mysql_error()); echo $row[name]. " - ". $row[age]; ?> I checked the database name and the field names. also checked the mysql user account and even made a new one but still nothing I guess there are other people who banged their heads against that wall at some point with this problem :icon_wink: Re: no database selected problem 80 80 well i cannot say without revealing the "db_config.php" file.. but try writing the name of the db manually and see if it works first.. if it does then, the $site variable surely is not working properly, maybe it's overwritten by something else in the "db_config.php" file. Re: no database selected problem 80 80 well i cannot say without revealing the "db_config.php" file.. but try writing the name of the db manually and see if it works first.. if it does then, the $site variable surely is not working properly, maybe it's overwritten by something else in the "db_config.php" file. I have no problem inserting data into the database so the connection is working <?php $db_host = "localhost"; $db_user = "mark"; $db_password = "blob"; $db_name = "site"; ?> this is the db_config file the user privileges are select Y, update Y , insert Y ,delete Y Re: no database selected problem 80 80 I don't see the variable "$site" in your config file.. so you're basically selecting nothing as a database. if you want to connect to the database: mysql_select_db($db_name, $connection) ; OR mysql_select_db('site', $connection) ; Re: no database selected problem 80 80 I don't see the variable "$site" in your config file.. so you're basically selecting nothing as a database. if you want to connect to the database: mysql_select_db($db_name, $connection) ; OR mysql_select_db('site', $connection) ; :icon_mrgreen: it's working now . Thanks a lot :icon_cheesygrin: once again the machine got the best of me :D Re: no database selected problem 80 80 lol it happens :) Be a part of the DaniWeb community We're a friendly, industry-focused community of 1.19 million developers, IT pros, digital marketers, and technology enthusiasts learning and sharing knowledge.
ESSENTIALAI-STEM
Talk:Green's End, Rhode Island History Source given does not support assertion that recent scholarship indicates French built fort and not British. Link simply states that British built it,IOW the traditional story. I don't think this hypothesis should be removed, only better sourced. If it comes from an unpublished source we're getting close to individual research. Article also needs information on who owns and who maintains the site. It is a little gem tucked away out of sight, but well taken care of (unlike the larger Butts Hill Fort in Portsmouth, RI which dates from the same period) and whoever has been caring for this hidden treasure deserves some credit. <IP_ADDRESS> (talk) 22:22, 22 September 2014 (UTC)
WIKI
Page:Pollyanna.djvu/98 CHAPTER X A SURPRISE FOR MRS. SNOW next time Pollyanna went to see Mrs. Snow, she found that lady, as at first, in a darkened room. "It's the little girl from Miss Polly's, mother," announced Milly, in a tired manner; then Pollyanna found herself alone with the invalid. "Oh, it's you, is it?" asked a fretful voice from the bed. "I remember you. Anybody'd remember you, I guess, if they saw you once. I wish you had come yesterday. I wanted you yesterday." "Did you? Well, I'm glad 'tisn't any farther away from yesterday than to-day is, then," laughed Pollyanna, advancing cheerily into the room, and setting her basket carefully down on a chair. "My! but aren't you dark here, though? I can't see you a bit," she cried, unhesitatingly crossing to the window and pulling up the shade. "I want to see if you've fixed your hair like I did—oh, you haven't! But, never mind; I'm glad you haven't, after all, 'cause maybe you'll let me do it—later. But now I want you to see what I've brought you." The woman stirred restlessly. 84
WIKI
Austin transformer An Austin ring transformer is a special type of isolation transformer with low capacitance between the primary and secondary windings and high isolation. Etymology It is named after its inventor, Arthur O. Austin, who graduated from Stanford University in 1903 and who obtained 225 patents in his career. Background AM radio stations that broadcast in the medium frequency (MF) and low frequency (LF) bands typically use a type of antenna called a base-fed mast radiator. This is a tall radio mast in which the steel mast structure itself is energized and serves as the antenna. The mast is mounted on a ceramic insulator to isolate it from the ground and the feedline from the transmitter is bolted to it. Typically the mast will have a radio frequency AC potential of several thousand volts on it with respect to ground during operation. Aviation regulations require that radio towers have aircraft warning lights along their length, so the tower will be visible to aircraft at night. The high voltage on the tower poses a problem with powering the lights. The power cable that runs down the tower and connects to the utility line is at the high voltage of the mast. Without protective equipment the RF current from the mast would flow down the cable to the power line ground, short-circuiting the mast. To prevent this, a protective isolator device is installed in the lighting power cable at the base of the mast which blocks the radio frequency power while allowing the 50/60 hertz AC mains power for the lights through. Use and mechanism The Austin transformer is a specialized type of isolation transformer made specifically for this use, in which the primary and secondary windings of the transformer are separated by an air gap, wide enough so the high voltage on the antenna cannot jump across. It consists of a ring-shaped toroidal iron core with the primary winding wrapped around it, mounted on a bracket from the mast's concrete base, connected to the lighting power source. The secondary winding which provides power to the mast lights is a ring-shaped coil which circles the toroidal core through the center, like two links in a chain, with an air gap between the two. The magnetic field created by the primary winding induces current in the secondary winding without the necessity of a direct connection between them. The wide gap of several centimeters between the coils also ensures that there is minimal interwinding capacitance, to prevent RF voltage being induced in the supply wiring by capacitive coupling. A spark gap is often located nearby with a gap smaller than the gap between the rings, to prevent damage to the transformer and transmitting equipment in the case of a lightning strike.
WIKI
Sonic Diary Sonic Diary is a two-disc compilation release from Apoptygma Berzerk. The first disc contains a collection of covers the band has recorded over the course of their career while the second disc is a collection of remixes, some of which were previously released and others which were new. Apoptygma Berzerk also released their Black EP in 2006; the ten-song Black EP contains several remixes of songs from You and Me Against the World.
WIKI
structSort Returns a sorted array of the top level keys in a structure. Sorts using alphabetic or numeric sorting, and can sort based on the values of any structure element. structSort(base, sorttype, sortorder, pathtosubelement) → returns Array structSort Argument Reference base Required sorttype Required * numeric * text: case sensitive Default. * textnocase Values: • numeric • text • textnocase sortorder Required * asc: ascending (a to z) sort order. Default. * desc: descending (z to a) sort order pathtosubelement Required String or a variable that contains one Examples sample code invoking the structSort function Simple example for structSort function Uses the structSort() function to get the sorted structure SomeStruct = {red=93,yellow=90,green=94}; result = structSort(SomeStruct, "numeric", "desc"); writeOutput( lcase(serializeJSON(result)) ); Expected Result: ["green", "red", "yellow"] Simple example for structSort function with pathtosubelement Uses the structSort() function to get the sorted structure somestruct = {}; someStruct.scott = {age=26, department="General"}; someStruct.glan = {age=29, department="computer"}; someStruct.george = {age=31, department="Physical"}; result = structSort(somestruct, "textnocase", "asc", "department"); writeOutput( lcase(serializeJSON(result)) ); Expected Result: ["glan","scott","george"] Fork me on GitHub
ESSENTIALAI-STEM
Call us today! (416) 481-7887 How Root Canal Therapy Can Save Natural Teeth When a tooth is damaged by a cavity or injury that leads to a crack, there is a risk that the pulp inside the tooth may become infected. If this happens, you will need root canal therapy in Toronto to avoid losing your natural tooth. Advantages of Saving Your Natural Teeth Although artificial teeth are available to replace a tooth lost to decay or damage, it is always preferable to save your natural tooth. 1. Firstly, the natural tooth allows you to bite and chew food with normal force. This leads to greater efficiency when eating and also gives the tooth its fair share of the work, protecting other teeth from strain and wear. 2. Another reason is that artificial teeth never look exactly like natural teeth and will change your appearance. How Root Canal Therapy in Toronto Works To determine if you need root canal therapy, your dentist will take X-rays of your teeth to examine the damage. If root canal therapy is the best course of action, you will receive an injection of local anesthetic in the nearby tissue. Your dentist will prevent the spread of bacteria by placing a dental dam over the infected tooth. Using an endodontic file, your dentist will drill a hole through the crown of your tooth to reach the pulp. He or she will then remove all the diseased and dead tissue and disinfect the canal. Once clean, your dentist will shape the canal to receive a filling or sealer to restore the tooth. Fillings for this purpose are made from gutta-percha and prevent the infection from returning. Next, your dentist will seal the hole with another filling. If your tooth is severely damaged, you may need a metal or plastic post in the canal to hold the filling in place. Later, you will return to have a dental crown fitted over your tooth. Properly aligned teeth not only give you a beautiful smile, but they can significantly improve your overall dental health. Explore all the benefits for a lifetime of happiness by calling us today for your consultation! (416) 481-7887
ESSENTIALAI-STEM
Ant sex keeps getting weirder In 2008 Jürgen Heinze penned “The Demise of the Standard Ant“, noting that the stereotyped ant nuclear family (one queen, one male, and lots of kids) was increasingly obscured by an accumulation of myrmecological data showing enormous variation among species in life history, that real ant colonies were often messy polygamous affairs, and that odd strategies like clonal reproduction were probably more common than previously thought. Paratrechina longicornis, the black crazy ant A study out today by Pearcy et al reveals that a common invasive ant, Paratrechina longicornis, is one of those oddballs: from the abstract: We discovered that the highly invasive longhorn crazy ant, Paratrechina longicornis, has evolved an unusual mode of reproduction whereby sib mating does not result in inbreeding. A population genetic study of P. longicornis revealed dramatic differences in allele frequencies between queens, males and workers. Mother–offspring analyses demonstrated that these allele frequency differences resulted from the fact that the three castes were all produced through different means. Workers developed through normal sexual reproduction between queens and males. However, queens were produced clonally and, thus, were genetically identical to their mothers. In contrast, males never inherited maternal alleles and were genetically identical to their fathers. The outcome of this system is that genetic inbreeding is impossible because queen and male genomes remain completely separate. In other words, the DNA of males and queens are separate clonal lineages, while workers are hybrids between the two. This arrangement avoids the inbreeding problems associated with diploid males, possibly helping this species colonize new sites from small propagules. What’s more, P. longicornis is not the only invasive ant with this reproductive quirk. Wasmannia auropunctata, the little fire ant, shares a similar system, suggesting that clonal reproductives and hybrid workers may be a more general strategy of invasive social insects. For a better explanation than mine (as usual), Ed Yong has more. source: Pearcy, M. et al 2011. Sib mating without inbreeding in the longhorn crazy ant. Proc. R. Soc. B, Published online before print February 2, 2011, doi:10.1098/rspb.2010.2562 10 thoughts on “Ant sex keeps getting weirder” 1. Pingback: Anonymous 2. So in other words, males arise directly from the genetic material of their father’s sperm, which are identical. But how do sperm cells, which are essentially mobile nuclei, able to directly become whole organisms without the resources of the egg? Wouldn’t this also entail that there is only a small set number of male lineages in this entire species, and that number can theoretically only get smaller as certain lineages go extinct without being replaced by new male lines? Also I’m speculating that this trait will be found to be frequent in invasive species where alates can mate inside the nest. Is that a reasonable prediction? 3. Insect sex in general is wierd, heh. Facultative parthenogenesis all over the place, cyclical parthenogenesis in aphids, “traumatic” insemination in bedbugs, ripping off heads in mantids, new sexual pheromone systems in leaps rather than in minute stages, and so on. This certainly is an interesting twist. 4. Jason C.: “But how do sperm cells, which are essentially mobile nuclei, able to directly become whole organisms without the resources of the egg?” This is a crucial question! I remember that in another instance (was it Wasmannia auropunctata?) a fraction of the sperm cells after penetrating an egg cell will kill or eliminate the egg nucleus (resp. its haploid genome). The egg then can develop like an ordinary non-fertilized egg into a male, but the mother’s genome has been replaced by that of the “father”. Most sperm however would combine with the egg nucleus, and ordinary diploid workers would be formed in the instance of Paratrechina. I wonder whether this has been discussed in the original article. 1. It would be interesting to investigate the factors that regulate egg hijacking vs. fertilization…this could have impacts for our currently messy cloning techniques. Perhaps one day we could slip a donor nucleus into a donor egg without having to extract the egg’s nucleus first. 1. Given ants known domestication of bacteria and fungi, I would not put it past their capability to domesticate a virus involved in this job. lol Leave a Reply to James.C. Trager Cancel reply
ESSENTIALAI-STEM
The Pesticide Question The Pesticide Question: Environment, Economics and Ethics is a 1993 book edited by David Pimentel and Hugh Lehman. Use of pesticides has improved agricultural productivity, but there are also concerns about safety, health and the environment. This book is the result of research by leading scientists and policy experts into the non-technical and social issues of pesticides. In examining the social policies related to pesticides use, they consider the costs as well as the benefits. The book says that Intensive farming cannot completely do without synthetic chemicals, but that it is technologically possible to reduce the amount of pesticides used in the United States by 35-50 per cent without reducing crop yields. The researchers show that to regain public trust, those who regulate and use pesticides must examine fair ethical questions and take appropriate action to protect public welfare, health, and the environment. Anyone concerned with reducing our reliance on chemical pesticides and how human activities can remain both productive and environmentally sound will find this volume a stimulating contribution to a troubling debate. The Pesticide Question builds on the 1962 best seller book Silent Spring by Rachel Carson. Carson did not reject the use of pesticides, but argued that their use was often indiscriminate and resulted in harm to people and the environment. She also highlighted the problem of pests becoming resistant to pesticides. Carson's work is referred to many times in The Pesticide Question, which critically explores many non-technical issues associated with pesticide use, mainly in the United States. The book has 40 contributors, mainly academics from a wide range of disciplines. The Pesticide Question is divided into five main parts: * social and environmental effects of pesticides; * methods and effects of reducing pesticide use; * government policy and pesticide use; * history, public attitudes, and ethics in regard to pesticide use; and * the benefits and risks of pesticides.
WIKI
User:NatalieDiCenzo/sandbox = Hello I Am The Title = Welcome to my Wikipedia page. Subheading Normal text is occurring right here. * List * List * List * List
WIKI
ArcObjects Library Reference (Framework)   IDockableWindowManager Interface Provides access to a method that finds a dockable window in the application. Product Availability Available with ArcGIS Desktop. Description A dockable window is a window that can exist in a floating state or be attached to the main application window. The Table of Contents in ArcMap and the Tree View in ArcCatalog are examples of dockable windows. When To Use The Application object implements the IDockableWindowManager interface that is used to get access to a particular dockable window. The GetDockableWindow method finds a dockable window using the UID of the dockable window. Members Description Method GetDockableWindow Finds a dockable window looking first in the collection and then in the category. CoClasses that implement IDockableWindowManager CoClasses and Classes Description Application (esriArcCatalog) Esri ArcCatalog Application. Application (esriArcGlobe) Esri ArcGlobe Application. Application (esriArcMap) Esri ArcMap Application Application (esriArcScene) The 3D Modeling Application. Remarks The following code finds the ArcMap Table of Contents dockable window and, if it's currently visible, the TOC is docked on the right side of the application. You would get m_app from the hook in ICommand::OnCreate(). [C#] IDockableWindowManager pDocWinMgr = m_app as IDockableWindowManager; UID uid = new UIDClass(); uid.Value = "{368131A0-F15F-11D3-A67E-0008C7DF97B9}"; IDockableWindow pTOC = pDocWinMgr.GetDockableWindow(uid); if (pTOC.IsVisible()) pTOC.Dock(esriDockFlags.esriDockRight); [Visual Basic .NET] Dim pDocWinMgr As IDockableWindowManager = TryCast(m_app, IDockableWindowManager) Dim uid As UID = New UIDClass() uid.Value = "{368131A0-F15F-11D3-A67E-0008C7DF97B9}" Dim pTOC As IDockableWindow = pDocWinMgr.GetDockableWindow(uid) If pTOC.IsVisible() Then pTOC.Dock(esriDockFlags.esriDockRight) End If .NET Snippets Get Dockable Window .NET Samples Create a custom selection extension by extending ArcObjects (Code Files: SelectionExtension) | Simple logging dockable window with a custom context menu (Code Files: ClearLoggingCommand LoggingDockableWindow LoggingDockableWindowCommand LogLineMultiItemCmd) | Web browser dockable window (Code Files: ESRIWebsitesWindowCommand)
ESSENTIALAI-STEM
Wikipedia:Articles for deletion/Upstate Connecticut The result was delete. Akirn (talk) 19:02, 5 June 2010 (UTC) Upstate Connecticut * – ( View AfD View log • ) Article is about a geographic term that does not appear to exist. Contrary to the lead sentence that states "Upstate Connecticut is a term commonly used to refer to Connecticut's rural northern counties," the use of this term appears to be limited to Wikipedia, a fictional movie, a few random statements on webpages (mostly non-RS). In August 2009, I added the notability template to the article, with the note "I don't see evidence that this terminology is truly established by a reliable source." Subsequently, a map that was formerly in the article was removed with the edit summary "Map is not based on fact, rather personal opinion", and there has been some discussion on the talk page, but no one has supplied nontrivial sources to substantiate the use of the term. The term gets a lot of ghits, but most are links to the plot or reviews of the movie The Haunting in Connecticut, which seems to be the source of this term. It's high time to remove the article, before this term enters common usage because people believe the Wikipedia article. Orlady (talk) 21:59, 30 May 2010 (UTC) * Note: This debate has been included in the list of Connecticut-related deletion discussions. * Delete Because Connecticut's longest axis is east-west, and the state is pretty small, it's highly unlikey that "Upstate Connecticut" would develop as a geographic term. Its width north to south is only about 50 miles. Beyond My Ken (talk) 23:21, 30 May 2010 (UTC) * Delete Not really in common use locally. --Polaron | Talk 23:41, 30 May 2010 (UTC) * Delete Not in common use and doesn't geographically make sense. I'm sympathetic to articles that need to be improved but the underlying subject is problematic here.RevelationDirect (talk) 04:12, 31 May 2010 (UTC) * Delete: The term is not widely used, if it is even used at all. I have certainly never heard of this alleged and poorly defined region of the state until now. Also, for an article that is only two paragraphs long, it fails to definitively identify the exact boundaries of this purported region and leaves much to readers’ interpretations. It uses phrases such as "This usually includes ...," "On occasion ...," "sometimes," and "In popular culture ..." to try to identify speculative boundary extensions under certain situations, further aiding in confusion. --Sgt. R.K. Blue (talk) 04:29, 31 May 2010 (UTC) * Delete This term is something someone made up one day. I grew up on the CT border with MA and have not once, never, heard anyone refer to the region as "upstate CT." Furthermore, there are very few reliable sources that substantiate this non-existant geographical definition. BWH76 (talk) 21:00, 31 May 2010 (UTC) * Delete I have lived in southwestern CT my entire life and not once heard this term in the news, publications or in passing. It strikes me as an attempt to match some other more legitimate regional terms like "Gold Coast" or "Tri-State Area". If the term was identified as realistic I would happily lend my support to develop it. dtgriffith (talk) 01:53, 2 June 2010 (UTC)
WIKI
Correia, São Tomé and Príncipe Correia is a settlement in the Água Grande District on São Tomé Island in São Tomé and Príncipe. Its population is 575 (2012 census). Located 3 km west of the city centre of São Tomé, it forms a part of the São Tomé Urban area. Before ca. 2010, it was part of the Lobata District. Sports The football (soccer) club of the village is UD Correia.
WIKI
Page:Czechoslovak stories.pdf/190 “Yes, indeed. Far more beautiful,” sighed Elška. “Are there good people in Prague? Is it a beautiful place? Did you like it there?” questioned Bára a little later. “They were all good to me, auntie, the governess—all of them liked me. I liked to be among them all, but I longed so for you and kept wishing that you were there with me. Oh, Bára, dear, it is so beautiful there that you cannot even picture it in imagination. When I saw the Vltava, the beautiful churches, the huge buildings, the parks—I was as if struck dumb. And there were so many people on the streets as if there were a procession, some of them dressed in holiday costume even on the week days, carriages driving by constantly, turmoil and noise so that a person doesn’t know who is with them. Just wait. Next year you and I will go there together to a church pilgrimage,” added Elška. “What would I do there! People would laugh at me!” said Bára. “Don’t believe it, dear. There, on the streets one person doesn’t notice another, one doesn’t even greet another in passing.” “I wouldn’t like that. That must be a strange world,” Bára wondered. The next day—Sunday—Elška arrayed herself in her holiday clothes, placed on her head a very becoming red velvet cap such as was just in fashion, and went to early mass. All eyes in church were turned towards
WIKI