url
stringlengths 13
4.35k
| tag
stringclasses 1
value | text
stringlengths 109
628k
| file_path
stringlengths 109
155
| dump
stringclasses 96
values | file_size_in_byte
int64 112
630k
| line_count
int64 1
3.76k
|
---|---|---|---|---|---|---|
http://ask.metafilter.com/226270/How-does-this-GPL-licensing-issue-play-out | code | How does this GPL licensing issue play out?
October 8, 2012 6:23 PM Subscribe
Are WordPress and Drupal themes, plugins, extensions, etc. legally obligated to be released under the GPL?
posted by jsturgill to Computers & Internet (7 answers total) 2 users marked this as a favorite
WordPress and Drupal core code is GPL. Are plugins and functions that interface with them using the supplied APIs etc. "derivative works" that must also be released under the GPL?
My understanding is that there was some furor over this question in the past, and Automattic's stance was that any PHP in plugins and themes must also be GPL. Drupal takes a similar stance. Is that the legal standard?
It seems odd to me, as plugins and themes don't alter the core code. Utilization seems separate to me from derivation. Were any actual legal opinions/decisions reached, or are there only the opinions of non-lawyers with extremely vested interests on one side or the other?
Part the second, assuming plugins and themes must be GPL (just roll with it, even if that's not the case): Am I correct in my understanding that the GPL cannot place restrictions on secondary distribution, so that if anyone purchases a premium WordPress or Drupal plugin or theme, which is GPL, they are then legally and morally free to distribute the source however they wish, including for free?
How (assuming GPL) would premium pay plugins that don't run on a service model (pay for support or whatever) make any meaningful number of sales, as surely the source code would become publicly available almost immediately?
Part the third, regardless of anything else: My understanding is that modifications of GPL code that are used internally by a person or company do not need to be shared. In other words, a company can take a GPL product, extend it for internal use, and not be required to release the code to anyone.
If the company used a GPL framework to power an online stopwatch API, it could sell access to the stopwatch service running on its own servers without being forced to disclose the derivative source. Is that correct?
Part the fourth: The Drupal licensing FAQ mentions that you can't build an intermediary framework or bridge and have non-GPL licensed code interact with the framework. The framework must be GPL, as would be anything interacting with the framework. That also seems counterintuitive to me. Is it correct? Has that perspective had a day in court, and what was decided? | s3://commoncrawl/crawl-data/CC-MAIN-2014-35/segments/1408500823333.10/warc/CC-MAIN-20140820021343-00357-ip-10-180-136-8.ec2.internal.warc.gz | CC-MAIN-2014-35 | 2,454 | 12 |
https://blogs.perficient.com/2022/10/10/docker-bootcamp-container-isolation-modes/ | code | Welcome back to Docker Bootcamp. In the previous post, we learned about performance and how to tune our containers. In this post we’ll look at another way to improve the performance of your containers by using process isolation mode. By default, windows containers run in hyper-v mode. When we run our containers in hyper-v mode they actually run inside a specialized hyper-v virtual machine. This increases compatibility of images that we can run and keeps containers segregated from the host and other containers. When we run our containers in process isolation mode they run as a process directly on the host. Process isolation mode increases performance, but is more strict about the host os version and the images that can run. You can run containers in both modes at the same time on the same host.
- pull – Pull an image from a repository
- run – Create and start a new container
- stats – Display a live stream of container resource usage statistics
You can find a full list of commands and all available flags at https://docs.docker.com/engine/reference/commandline/docker/.
docker pull [options] [registryhost/][username/]name[:tag]
|–all-tags||-a||O||Download all tagged images in the named repository|
docker run [options] image [command] [args…]
|–isolation||O||Set isolation mode for container
docker stats [container]
My local machine is running Windows 10 20H2. You can find you windows version by right clicking on the start menu and clicking system. To run these examples, you can find a version of the windows server core image that matches your local machine https://mcr.microsoft.com/v2/windows/servercore/tags/list.
- Run a container in hyper-v isolation mode
- docker run -it –isolation=hyperv –name sc20h2H mcr.microsoft.com/windows/servercore:20H2 powershell.exe
- Run a container in process isolation mode
- docker run -it –isolation=process –name sc20h2P mcr.microsoft.com/windows/servercore:20h2 powershell.exe
- View container stats to compare details
- docker stats
- Run a command inside the container
- ping google.com -n 100
- Run a container in hyper-v isolation mode
If the version of the container you are trying to run in process isolation mode does not match your host, you will get an error “The container operating system does not match the host operating system”.
Choosing a Global Software Development Partner to Accelerate Your Digital Strategy
To be successful and outpace the competition, you need a software development partner that excels in exactly the type of digital projects you are now faced with accelerating, and in the most cost effective and optimized way possible.
Get the Guide
If the version of the container you are trying to run in either mode is newer than your host, you will get an error “No matching manifest for XXX in the manifest list entries”.
On my local, you can see the difference in the amount of CPU and memory the containers in each configuration. The process isolation mode container uses less resources since it runs as a process on the host instead of running inside a hyper-v virtual machine. The process isolation container uses 81% less memory an the hyper-v isolation container!
I tested three other versions of windows containers and found similar memory savings.
|Image||Memory Usage (Hyper-V)||Memory Usage (Process Isolation)||Percent Difference|
|Nanoserver:ltsc2022||246 MB||29 MB||88%|
|Server:ltsc2022||536 MB||71 MB||86%|
|Servercore:ltsc2022||400 MB||45 MB||88%|
It is important to note that a container running in process isolation mode exposes it’s running process to the host. When you run the ping command on the process isolation container, you will see PING.EXE listed in the resource manager of the host. This means containers running in process isolation mode are potentially less secure.
Hyper-v containers are more secure as they are isolated from other containers as well as the host.
Real World Usage
I tested the difference between hyper-v isolation and process isolation in a real world example. The results were even more noticeable in the performance of my machine and my containers. I created two identical virtual machines (with the exception of the windows version). They both had 1 logical processor with 4 cores and 32GB of ram assigned. At the time of the test, only one virtual machine was running on my host. I used a real Sitecore 10 project that runs several containers at a time. The results were massively different!
The CPU usage remained at nearly 100% usage. The vmmem process that manages the memory of the hyper-v virtual machines is off the charts! 27% of the cpu to run the Sitecore CM container. The overall memory usage was 20.3 GB. It was so difficult to use my machine. Let’s not even talk about what happened when I opened Visual Studio or built the solution!
The CPU usage spiked as a I navigated the site, but the average usage was much lower and was stable around 30% when the site was idol. The Sitecore CM container ran at a much more reasonable 8% of the cpu. The overall memory usage was 9.7 GB. The machine was much better to use, more responsive, and was able to run Visual Studio with ease.
You can dramatically increate the performance of your containers by running in process isolation mode. Make sure there aren’t any security concerns before doing so and there is an image that matches your host operating system version. If there isn’t an image for the most recent version of windows, you might have to postpone upgrading your host machine (which has its own security risks). | s3://commoncrawl/crawl-data/CC-MAIN-2023-14/segments/1679296944996.49/warc/CC-MAIN-20230323034459-20230323064459-00350.warc.gz | CC-MAIN-2023-14 | 5,560 | 38 |
https://alternativeto.net/software/statusreport/ | code | Statusreport is described as 'opensource statuspage for your GitHub project'. There are more than 10 alternatives to Statusreport for a variety of platforms, including Online / Web-based, SaaS, Self-Hosted solutions, Android and iPhone. The best alternative is Pingdom. It's not free, so if you're looking for a free alternative, you could try Cachet or Pingbreak. Other great apps like Statusreport are Statuspal.io (Paid), Fyipe (Paid), Up Ninja (Paid) and Silent Down (Paid).
Pingdom web site monitoring and other infrastructure for you and instantly let you know when anything goes wrong. Measure uptime, downtime, and the performance of your website as experienced by visitors.
Cachet is a simple to use and easy to manage status page system and can be easily installed and used to track third party service letting your users know what's going on. - Cachet is 100% open source, opening a whole world of contributions and new features.
Pingbreak is an original and free monitoring service. Get notified through Twitter if your website is down. Pingbreak checks all of your websites each minute and alert you instantly by Direct Message (DM).
Monitor and communicate the status of your site, app or API with your very own status page. Create it in less than 3 minutes with Statuspal! Or host it yourself for free with our open source community edition.
Monitor uptime,response timeandapdex indexes of your website or api for free and receive instant updates through e-mail or Slack with real time announcements. Don't leave your customers in the dark during downtime & outages of your website.
Statusfy is a Status Page System, completely Open Source, easy to use and deploy to a variety of hosting services. The goal behind is to lower costs and complexity providing a simpler and versatile Open Source alternative.
StatusPage.io is the best way for web infrastructure, developer API, and SaaS companies to get set up with their very own status page in minutes. Integrate public metrics and allow your customers to subscribe to be updated automatically.
Unlimited monitors checked from multiple location every minute. Monitor any port or setup a "heartbeat" that works well for cron jobs or any service behind a firewall. Be alerted as soon as your service is offline via email or app integration. | s3://commoncrawl/crawl-data/CC-MAIN-2021-39/segments/1631780056974.30/warc/CC-MAIN-20210920010331-20210920040331-00249.warc.gz | CC-MAIN-2021-39 | 2,302 | 9 |
https://1202performance.wordpress.com/category/performance-troubleshooting/ | code | Working with a customer using Dynatrace there where some noticeable peaks in response times for a application that wasn’t highly used. As can be seen in the graph below:
The application was web based and hosted on IIS. I had come across problems like this before and suspected it was due to the idle timer setting for an application pool. By default IIS will shutdown worker processes after being idle for 20 minutes. However, for some applications the time to restart a worker process can be noticeable slow.
If you set the idle Time-out to 0 then it will not terminate and you won’t have to suffer the restart overhead. I have made this change several times and not seen any adverse affects. But remember all applications are different!
It happened when I got an email from the service manager “User for an application we host are intermittently failing to login during peak login period in the morning. The same users have no problem to login at other times and no particular group of users or locations are identified. The users are accessing via Citrix.
The support team have been trying to reproduce the error by login in multiple times and they cannot reproduce consistently. They even had 30-40 session active on the test box and they could not reproduce and the test box has available memory”.
The first thing I wanted to to see the actual error seen by the users and any logs. The support folks sent this through and the error came with a stack trace which had this at the bottom:
at System.Text.StringBuilder..ctor(String value, Int32 startIndex, Int32 length, Int32 capacity)
Exception of type ‘System.OutOfMemoryException’ was thrown.
What string builder is doing is allocating space for holding a string. You can get an OutOfMemoryException if you try to allocate a string length greater than the capacity but this level of programming error would probably occur at any time not at the peak. As this is the login process it should be pretty consistent.
I think the issue here is to do with the limit on virtual memory rather than physical memory. I mocked up a .NET 4.5 app on my PC that grabs 0.5G of string storage after each key press. Here is a code snippet below:
int capacity = 250000000; int maxCapacity = capacity + 1024; StringBuilder stringBuilder1 = new StringBuilder(capacity, maxCapacity); Console.WriteLine(GC.GetTotalMemory(false));
There where two scenarios I found that generated the OutOfMemory exception
Exceeding the Process Address Space
The test app process is limited to 4G of memory and when that is exceeded I get the out of memory error. However, I don’t think this is your issue as the problem occurs only during heavy usage.
Committed bytes is exceeded
Committed bytes is the total amount of memory available on the Physical RAM and the Page File. I get the error when the perfmon counter % Committed byes in Use reaches 100% as the process cannot find any spare memory for the next 0.5G of string storage. Below you can see when the issue occurs:
The answer was simply to increase the committed bytes limit which means an increase in the paging file size.
Sometimes in my job I will have to troubleshoot some old technology. This is a case where I had a call that an application that run in CGI process spawned from an IIS website was running a lot slower that the same application in a test environment. This was for a single iteration of a request to the application. The customer was keen to find out why that although the test environment was identical to production there was such a performance difference. Luckily, we could take out one of the IIS servers from production so that we could us it for testing.
To start with we did some benchmark tests on the machine using tools like IOmeter and zCPU just to confirm the raw compute power was the same. As a separate thread various teams where checking to make sure the two environment where identical not only in terms of hardware and OS but security, IIS config etc. They all came back to say the production and test environments where identical. Next we wanted to see if the problem was in the application itself or the invocation of the application. Someone knocked up a CGI hello world application which we tested in test and production. This showed that the production environment was slower running the “Hello World” application and therefore the problem was around the invocation of the CGI process. Next I wrote a C# program that invoked a simple process and timed it. Running this in both test and prod showed no difference between the two environment. This lead to the problem being specific to the IIS/CGI.
The next step was to take a Process Monitor trace (Process Monitor – Windows Sysinternals | Microsoft Docs). The first thing we noticed was the trace size was significantly larger for the production trace. On the production server there are multiple calls made to Symantec. With the production trace showing multiple calls made to Symantec end point security before the start of the LoadImage event. At the start it only add 1 second to the trace before the image load but there are latter calls to the registry. With this information we asked the security team to check again the security settings and they discovered they where different this the exceptions set in test not set in production. The settings where reviewed and it was decided that the same exceptions rules could be applied across both environment and after this was done the retesting showed that both environment provided the same level of performance.
What is the lesson for this. Let data be your truth! I am not saying the people checking the security settings lied but comparing lots of settings is complex and often not automated. Add in the biases that people think they have configured the system correctly to start. leads to early conclusions that can be flawed.
A call came in about slow response time for a new release just deployed into the test environment. The login page was taking over 5 minutes compared to less than 8 seconds in production.
As it as a web based application. The first step was to get on a webex with the client and record the login process using fiddler. While watching the webex I could see that one of the HTTP request was taking a very long time to return from the server (this is a great feature of fiddler is that you can see the icons change as the status changes for each HTTP request).
One the fiddler stop, I went to the HTTP request in fiddler and looked at the statistics. Af few key things can be seen the returned payload was 8.5M so large but not huge for a corporate network. The overall the elapsed time was 5m 20 sec of which
One thing was also to check if this payload was being cached. Looking at Response Header for the returned request then caching is enabled. They have followed the google page speed recommendation and set to Vary.
While on the webex I asked for a wireshark trace to be taken so I could get some visibility into how the network was performing. A wireshark trace only captures the packets at the workstation but it can be useful to see if certain TCP/IP type issues are occurring. What I looked at in the wireshark trace was first the throughput from the client. IT seems that much is capped at just over 0.5 Mbit/s although there is a spike and then nothing.
I also wanted to check if there are any problems reported such as the TCP/IP window being undersized or lots of transmissions etc. A quick check is to use the Expert Information option. Remember to select to use the display filter that concentrates on the traffic between client and server and all the numbers are relative. In this case we are transmitting 16.5K packet so 5 out of order packets is not alot.
Next as I had access to the weblogs for I did a quick analysis to see if any particular client or access point has slower than expected response time. I imported these into Excel an created a pivot table and then for each IP calculated the average response time. When doing this remember to filter on status code being HTTP 200 so that the cache check 304 do not skew the response time calculations.
I had a table similar to the below, (I have changed the IPs and changed the response times to seconds. What is most noticable is that the 10.1.62.11 IP has the slow response times while the others are fine.
Talking to the network guys the 10.1.62.11 is the proxy server used by the client to access both the production and test environments. The production users where not reporting any problems and when we tested production with a clear cache the response time was as less than 5 seconds. The initial thought was some packet shaping was being undertaken to prioritise the production traffic. However. the client confirmed this was not enabled on the client network.
Going further into the route between the proxy server it was noticed that traffic for the test environment was going across the Data Centre link as they work in a different data center. Although capacity was available on the link there was actually packet shaping enabled which meant the traffic was being constrained to sharing a 1Gb portion of the link.
With a quick network change to the packet shaper all was well..
Here are a few things to consider when confronted with users complaining about poor performance and you cannot replicate the issue with your configuration. This is looking at comparing your tests verses a users. Most of the points consider the set up on the end users device.
1) Same Hardware/Software? OK may sound obvious but often over looked particularly around the details of software versions.
2) Are you doing a like for like transaction. I once heard of a support call that complained that it took ages to find a car part when doing a search on the inventory system. It was later discovered that the user was doing a wild card search against the inventory and then scroll through the results to find the part!
3) Same start and end points? Users often think in completing processes rather than transactions. When in doubt ask the users to screenshot the start and end points. For windows systems they can use Microsoft Step Recorder.
4) Do you have the same data sets? Your test user account on the system is most likely not to have the history of claims/sales/orders of a real users.
5) Security settings? This is common when support staff are using different desktop builds to the customer. Common differences beyond the hardware differences are encrypted disks and exclusion rules for anti-virus
6) Browser version and setting? There is a significant difference in performance across browser types and versions. Always check you are testing like for like. Plus don’t forget any plugins.
7) Connectivity? I have even seen problems with two users side be side having different connectivity characteristics even on the same subnet. The problem was one user has wifi enabled and it would connect to there wifi hotspot on their phone! rather than the corporate network. More importantly end users will have difference latency and bandwidth availably than you. Browsers like chrome allow you to emulate some network characteristics.
8) Observer effect? Your debugging tools on your machine may change the outcome of the test. I have seen this with debugging proxies like Fiddler. No please don’t use this as a reason not to use those tool, life would be very difficult without them! Also, don’t expect to RDP into the machine and the results to the best same here is an example RDP example
9) Screen size can make difference, I once had a system where users with larger displays has some transaction take longer as it was rendering more items to the screen for each transaction.
10) Background processes can consume CPU and network bandwidth that can impact the end users machine performance. | s3://commoncrawl/crawl-data/CC-MAIN-2023-23/segments/1685224648635.78/warc/CC-MAIN-20230602104352-20230602134352-00431.warc.gz | CC-MAIN-2023-23 | 11,837 | 43 |
https://docs.bentley.com/LiveContent/web/OpenBridge%20Modeler%20Help-v13/en/GUID-295F4C7A-76AE-492D-827E-E70619B551E9.html | code | Create position flag style
|| Use the displayed button to create a new position
The style will be stored as *.sty-file together
with the pre-settings in the directory for position flag styles. Now you can
work with this style on all other pages of this dialog.
Append position flag style
|| If you want to work with a special style which is
not stored in the drawing but on the hard drive, you can load this style using
Select the corresponding
*.sty file in the directory of position flag
styles and load the file. The style will be available at once.
Remove position flag
||Use this command to remove a style that you don’t
need any more in the drawing.
Move position flag style
|| Click this button to change the display order.
The display order of the style list is not sorted.
You can specify the order yourself. For this purpose, use the two arrow keys to
move the checked style up or down in the order.
Rebuild flag style
||If you want to update the styles loaded in your
drawing, use this function. Now, all styles in the drawing are replaced by the
styles stored on the hard drive. | s3://commoncrawl/crawl-data/CC-MAIN-2020-34/segments/1596439738964.20/warc/CC-MAIN-20200813073451-20200813103451-00016.warc.gz | CC-MAIN-2020-34 | 1,092 | 23 |
https://forums.atozteacherstuff.com/index.php?threads/diverse-learners-question.88915/ | code | Someone sent me a private message about an interview question they had about how to teach diverse learners. I always get this question on my screening interviews and am not sure if my answer is strong enough. Of course you do partners, use visuals, review, manipulatives...etc...but can anyone recommend a good book or website on how to teach diverse learners at the elementary level. Also ways you can help communicate with their parents who are non English speaking. Thanks BTW...I have my second "real" interview coming up and I want to GET THIS JOB!!! | s3://commoncrawl/crawl-data/CC-MAIN-2019-47/segments/1573496670770.21/warc/CC-MAIN-20191121101711-20191121125711-00277.warc.gz | CC-MAIN-2019-47 | 555 | 1 |
https://docs.microsoft.com/en-us/previous-versions/windows/desktop/ff824580(v=vs.85) | code | Applies to: desktop apps only
The TcpLimitPerMinute property gets or sets the number of TCP connections that are allowed for a single IP address during one minute.
This property is read/write.
HRESULT put_TcpLimitPerMinute( long lTcpLimitPerMinute ); HRESULT get_TcpLimitPerMinute( long *plTcpLimitPerMinute );
' Data type: Long Property TcpLimitPerMinute( _ ByVal lTcpLimitPerMinute As long, _ ByVal plTcpLimitPerMinute As long _ ) As Long
A 32-bit integer that specifies the number of TCP connections that are allowed for a single IP address during one minute.
These property methods return S_OK if the call is successful; otherwise, they return an error code.
This property is read/write. Its default value is 600 connections during one minute for a single IP address that is not configured as a special IP address.
In Forefront TMG Management, the value of this property determines the Maximum TCP connect requests per minute per IP address setting on the Flood Mitigation page.
Minimum supported client
Minimum supported server
|Windows Server 2008 R2, Windows Server 2008 with SP2 (64-bit only)|
|Forefront Threat Management Gateway (TMG) 2010|
Build date: 7/12/2010 | s3://commoncrawl/crawl-data/CC-MAIN-2018-26/segments/1529267866932.69/warc/CC-MAIN-20180624102433-20180624122433-00412.warc.gz | CC-MAIN-2018-26 | 1,172 | 14 |
https://www.austintexas.gov/news/apd-statement-2019-joint-report-analysis-apd-racial-profiling-data | code | The following statement can be attributed to an Austin Police Department spokesperson:
The Austin Police Department has received the Joint Report of APD Racial Profiling Data and is currently reviewing the findings of the report. We remain committed to eliminating racial disparities among communities of color and underrepresented populations.
Although we are in the initial stages of reviewing the results and recommendations, we are pleased that according to the data, there has been some progress made to minimize the disproportionate number of traffic stops made among these communities. We recognize there is work that still remains and we continue to make strides towards providing equitable public safety for the entire Austin community. | s3://commoncrawl/crawl-data/CC-MAIN-2021-31/segments/1627046154320.56/warc/CC-MAIN-20210802110046-20210802140046-00415.warc.gz | CC-MAIN-2021-31 | 745 | 3 |
https://academy.bimgrafx.com/forums/topic/buy-cheap-promethazine-online-buy-cheap-promethazine-2/ | code | June 24, 2022 at 4:30 pm #101367taakaahashiParticipant
Buy M.D. approved promethazine 10mg in Tauranga
Product name: Generic promethazine
Active component: Pravastatin
Analogs of promethazine: Pravacol, Pravagamma, Pravahexal, Pravalich, Pravalip, Pravalon, Pravalotin-mepha, Pravamate, Pravamel, Pravanox, Pravapeak, Pravapharm, Pravapres, Pravaselect, Pravasin, Pravasine, Pravasta eco
Availability: In Stock!
Payment method: Visa / MasterCard / AmEx
BUY NOW! Click Here To Continue http://pharmachemlabsupply.com/promethazine
Price (Par comprim): start from € 0.73 to 1.63, Par comprim
Medical form: pill
Prescription required: No Prescription Required for Generic Luvox Rated 5/5 based on 23 user votes.
Info: Pravachol is used for lowering high cholesterol and triglycerides in certain patients.
buy promethazine 2mg uk
buy promethazine england
order promethazine usa
Cheapest Price promethazine 20 mcg without rx
Purchase Discount Medication promethazine in Idaho,
promethazine drug facts,
promethazine buy online,
Looking Generic promethazine in Hartford
Order Doctor recommended promethazine in Texas
promethazine for dogs best price
promethazine for dogs coupon
promethazine for dogs risks,
promethazine medication administration
buy promethazine 1 mg
buy promethazine 2mg online
pravastatin 10 mg and alcohol,
Buy Meds promethazine in Minneapolis,
Best Place To Buy Cheap promethazine 5 mg in Toronto
pravastatin 10 mg beipackzettel,
Order M.D. approved promethazine in Oakland,
tavor for sale left handed,
Where I Can Get promethazine in New Mexico
buy promethazine locally,
buy promethazine from pakistan
buy promethazine london
buy promethazine cheap online
promethazine drug name,
promethazine for dogs contraindications,
cheap generic promethazine
Order M.D. recommended promethazine 100mg in Alabama
Check with your pharmacist.
Most of the time, this reaction has signs like fever, rash, or swollen glands with problems in body organs like the liver, kidney, blood, heart, muscles and joints, or lungs.
Cost Of promethazine 40 mg in Tauranga, Generic Name promethazine Hct in Tauranga, Doctor approved promethazine in Tauranga, Order M.D. recommended promethazine 100mg in Tauranga, Buy promethazine 5 mg in Tauranga, Quality promethazine 100mg in Tauranga, promethazine canadian pharmacy Tauranga, Best Pharmacy Price For promethazine 2 mg in Tauranga, Where I Can Get Cheap promethazine 5 mg in Tauranga, Low Price promethazine 500 mg in Tauranga, Buy M.D. approved promethazine 10mg in Tauranga
Canada Drugs Online is proud to offer you the brand and generic Plaquenil from Canada manufactured by Sanofi Aventis and Apotex.
You must be logged in to reply to this topic. Login here | s3://commoncrawl/crawl-data/CC-MAIN-2022-27/segments/1656103821173.44/warc/CC-MAIN-20220630122857-20220630152857-00354.warc.gz | CC-MAIN-2022-27 | 2,701 | 47 |
https://download-basket.giveawayoftheday.com/testing-tools/mantis/download/ | code | Must-have software downloads at your fingertips
Thank you for downloading
Download for Windows 32/64-bit
For the reasons that don't depend upon Giveaway Download Basket, you have to visit the
to download this software.
Monitor all activities within an IP network.
Developed by WaterProof SARL
Download Multiple Web Files Software
Developed by Sobolsoft
Create, manage, edit, and query databases.
FlySpeed SQL Query
Create and execute various SQL database queries.
Manage, update, and control multiple databases.
Top 10 Database Tools
Top 10 Debugging Tools
Top 10 IDE Software
Top 10 Webmaster Tools
Auto-create and easily manage complex school schedules.
Kerbal Space Program
Build your own spacecraft and fly into space.
Create, edit and manage documents, tables, and spreadsheets.
Customize your car and drive it while avoiding multiple obstacles.
Developed by VisiPics
. All rights reserved | s3://commoncrawl/crawl-data/CC-MAIN-2020-24/segments/1590347424174.72/warc/CC-MAIN-20200602100039-20200602130039-00413.warc.gz | CC-MAIN-2020-24 | 894 | 24 |
https://u.osu.edu/ergodictheory/2013/11/12/seminar-11-21-13/ | code | Topologically completely positive entropy for shifts of finite type
Nov 21 2013 – 3:00pm – 4:00 pm
Ronnie Pavlov (University of Denver)
A Z^d shift of finite type is the set of all d-dimensional arrays of symbols from a finite set which avoid a finite set of ‘forbidden’ patterns; for example, the set of all ways of assigning a 0 or 1 to every site in Z^2 so that no two 1s are horizontally or vertically adjacent is a Z^2 shift of finite type. Any shift of finite type can be considered as a topological dynamical system, where the dynamics comes from the Z^d-action of ‘shifting’ by vectors in Z^d. A topological dynamical system was defined by Blanchard to have topologically completely positive entropy (or t.c.p.e.) if all of its nontrivial factors have positive topological entropy. (Here, ‘nontrivial’ means not consisting of a single fixed point) In some sense, t.c.p.e. means that there is no ‘hidden’ degenerate behavior within the dynamical system. Though t.c.p.e. is not easy to characterize in general, I will present a surprisingly simple characterization of t.c.p.e. for shifts of finite type. | s3://commoncrawl/crawl-data/CC-MAIN-2021-43/segments/1634323585916.29/warc/CC-MAIN-20211024081003-20211024111003-00146.warc.gz | CC-MAIN-2021-43 | 1,129 | 4 |
https://www.linuxtoday.com/infrastructure/2001022000227OPCYSW | code | I've long contended that for all the discussion in the Linux
and open source arenas about the GPL (GNU Public License), a lot of
people don't really know what the license does and doesn't say. So
why don't we put my theory to the test and have a little fun with a
Before the zealots flick on their flamethrowers, let me point
out that I'm not bashing the FSF, the GPL, open source, motherhood,
apple pie, or anyone or anything else. I have long contended that
the GPL makes it somewhat difficult to determine exactly which
actions are allowed, once you get into the real world and start
dealing with the combinatorial explosion of circumstances.
That's why I've done something unusual and intentionally not
spoken with anyone in any way associated with the GPL in connection
with this quiz. I wanted to take as much of an outsider/average
programmer approach to this matter as possible. Also, I'm basing
the questions and my interpretations of them on the copy of the GPL
currently on the GNU.org web site, here.
(Please note that when I say "may" below I'm using it as
shorthand for "may legally", and I'm not asking whether
it's physically or technically possible to do the thing in
All questions are true, false, or "I have no idea".
Some of the products that appear on this site are from companies from which QuinStreet receives compensation. This compensation may impact how and where products appear on this site including, for example, the order in which they appear. QuinStreet does not include all companies or all types of products available in the marketplace. | s3://commoncrawl/crawl-data/CC-MAIN-2020-16/segments/1585370490497.6/warc/CC-MAIN-20200328074047-20200328104047-00095.warc.gz | CC-MAIN-2020-16 | 1,571 | 21 |
https://github.com/tarampampam/nod32-update-mirror | code | ESET Nod32 Updates Mirror
bash) version abandoned, but still available here. Docker image tag (for
bashversion) changed from
Changes log can be found here.
If you will find any package errors, please, make an issue in current repository.
This is open-sourced software licensed under the MIT License. | s3://commoncrawl/crawl-data/CC-MAIN-2020-45/segments/1603107885059.50/warc/CC-MAIN-20201024223210-20201025013210-00113.warc.gz | CC-MAIN-2020-45 | 299 | 6 |
http://forum.xbmc.org/printthread.php?tid=8353 | code | Getting MAC address?, + control KAI functionality? - Printable Version
+- XBMC Community Forum (http://forum.xbmc.org)
+-- Forum: Development (/forumdisplay.php?fid=32)
+--- Forum: Python Add-on Development (/forumdisplay.php?fid=26)
+--- Thread: Getting MAC address?, + control KAI functionality? (/showthread.php?tid=8353)
- z0diac - 2004-12-18 18:50
i have 2 questions:
1. can anybody tell me, how to get the mac address of the xbox running the py script via python?
2. is there a possibility to get access to the kai functionality of xbmc? in special: is it possible to detach and attach the kai gui of xmbc to the engine via python?
i am running the kai engine on my wrt router, and i have a script to restart,stop,install and so on kaid on my wrt from my xbox. that's great, but xbmc doesn't reconnect it's kai gui to the engine, after restarting the kai engine, so my only possibility here is to restart the whole xbmc what is not a very smart solution...
- z0diac - 2004-12-20 15:22
i guess, getting no answers means: there are no answers, right? is there a page, where i could add a feature wish for the xbmc python engine?
- darkie - 2004-12-20 23:11
both are not possible. you could get the ip adress of the xbox but that's all.
- z0diac - 2004-12-20 23:43
is there a chance to get this things into the xbmc python engine? i think the python engine is a *very* cool feature for extending the xbmc, as there is no need to hassle with all the xbe license stuff thing... extending this engine would help to increase the addon coding support for xbmc, i believe..
if i had a legal comiler and ide, i would try to implement this enhancements myself into xbmc, but i don't have...
- gultig - 2004-12-28 00:45
for wrtkaidcommander, right?
try this at the end of installkaidxbox():
Quote: if (xbox_mac=="00:50:f2:xx:xx:xx"):
it pings the xbox to make sure that it's fresh in the wrt's arp table, then it extracts the mac address and inserts it into kaid.conf on the wrt.
- z0diac - 2004-12-28 03:10
cool! thanks for that input! :-)
- Nuka1195 - 2005-01-14 02:42
just tried your script. it works great.
it works with sveasoft satori-4.0 v2.07.1.7sv also.
- z0diac - 2005-01-14 15:10
thanks for he info, i will add his o the readme file.
- Nuka1195 - 2005-05-24 06:08
i used your wrtkaidcommander class in a script, made it a dialog and added a few features "hacks" that some people may find useful.
what is your thought on me releasing it. i'd give you full credit for the main part of the script.
i'd really like some opinions on if there was a better way to do something, but i would have to release it to do that.
- Bernd - 2005-05-26 00:01
i also customized the z0diac script
basically i added a stop/upload/start command so i don't have to execute all three steps. if anyone is interested i' could share my mods | s3://commoncrawl/crawl-data/CC-MAIN-2013-20/segments/1368701281163/warc/CC-MAIN-20130516104801-00044-ip-10-60-113-184.ec2.internal.warc.gz | CC-MAIN-2013-20 | 2,818 | 36 |
https://store.kde.org/p/1309776/ | code | SKY BLUE theme for LibreOffice 6.x.x
On Linux Mint 19.1 i am using a light/white theme. In order to colorize my Libreoffice 6.4.2 a bit,
i decided to make a custom personas theme for it, and included an installer. Before installing,
make sure you read the READ-ME-FIRST.pdf file that is provided in the tar.gz file.
extract tar.gz and read the included pdf file.
- Only works well with a light/white theme.
- libreoffice iconset used in screenshot: Breeze
- dark theme is coming soon | s3://commoncrawl/crawl-data/CC-MAIN-2021-10/segments/1614178357935.29/warc/CC-MAIN-20210226175238-20210226205238-00397.warc.gz | CC-MAIN-2021-10 | 483 | 8 |
https://ayatsaleh.wordpress.com/2017/01/25/scheduling-professional-sp-certificate-lessons-learned/ | code | Following to my previous articles about 10 Reasons to Go for a Professional Certificate and my lessons learned for two certificates; PMP and PMI-RMP, this post will discuss my lessons learned for another certificate I got from PMI (Project Management Institute) which is PIM-SP (Scheduling Professional).
I studied for this certificate because I believed it was a quick win; I already had many preparation resources and study materials, I am already PMI member and most importantly, I wanted to gain a deeper knowledge about project scheduling process. I do not have an intensive work experience in project scheduling; so, I wanted to close this gap by getting this certificate. On another perspective, I wanted to report the time that I spent in preparing for this certificate as my PDUs (Professional Development Units) for my PMP and PMI-RMP certificates.
In terms of the certificate’s popularity, this certificate is less popular than PMP and PMI-RMP as shown in the statistics below. Only 1,597 professionals are certified as PMI-SP by end of November 2016, however, I still believe that it is a good certificate for professionals who are experienced in this field and would like to get a quick formal recognition.
As a summary for my preparation process:
- Time: it took me 2 weeks to study given that I did this certificate right after finishing my PMI-RMP certificate, so I already did the hard part of reviewing different resources as I will show shortly.
- Cost: 640 USD (online course= 120 USD and exam fees: 520 USD). As I mentioned above, I was already PMI member and had many preparation resources and mock exams from my PMP and PMI-RMP certificates.
My lessons learned and preparation steps for the PMI-SP certificates are:
- PMI-SP is a stand- alone certificate just like PMI-RMP and PMP. You do not have to be a PMP certified before sitting for this exam, but in order to determine if this certificate is the right one for you, you may refer to this page and this handbook.
- If it is a good certificate for you, you need to look at the training and work experience needed for the application. For the training side, you need to attend 30 training hours on project scheduling if you have a bachelor degree and 40 training hours if you have a secondary degree. In my case, I attended this online course from Ucertify website. In 2015, I paid 199 USD for the course, however, it is higher now. Honestly, I attended two online courses in preparing for certificates from PMI. The first one was from Simplilearn website for my PMI-RMP certificate and the second one was from Ucertify website from my PMI-SP certificate. I didn’t find that there are many differences between the two websites. In both cases, I attended the training just to the certificate, and I referred to other resources to understand the core concepts under each area. My advice is to select the cheapest website whenever possible. The certificate by itself is an important part in your application especially if your application is selected for the auditing process like what happened with me when I applied for the PMI-RMP certificate.
- For the work experience side, you need to show 3,500 working hours in project scheduling if you have a bachelor degree, and 5,000 working hour if you have a secondary degree. You can refer to my articles about my PMP certificate and PMI-RMP certificate to know more how did I document my working experience.
- My preparation steps were as the following. Firstly, I reviewed the PMBOK Guidebook and Rita’s Book. Secondly, I studied the Practice Standard for Scheduling from PMI. Thirdly, I solved mock exams as much as I could. Most of the questions I solved were about PMP in general, but also I got some good help from different LinkedIn contacts, so I highly recommend that you connect with people who are already certified as PMI-SP and ask them for help. As I mentioned before, I sat for this exam within two months of passing my PMI-RMP certificate, so I already had all the needed information fresh in my mind. In total, it took me around two weeks to prepare for the exam.
- When you are ready, you need to book for the exam through https: //www.prometric.com/ and follow the steps that you will receive by PMI. You can choose to sit for the exam as a PMI member or not, but I prefer to pay the membership fees in advance so you can get a free access to the practice standard and other helpful resources.
- Once you submit your application and pay for the exam, your application might be selected for the auditing process. If you need help in this area, you can referee to my article about PMI-RMP certificate for which I mentioned the detailed steps that I did when my application was selected for the auditing process.
The certification exam is a computer based with 170 multiple-choice questions. You will be given 3.5 hours including all breaks that you may wish to take.
Finally, do not forget to review Rita’s Tips on passing the PMP exam as there are still valuable when preparing for the PMI-SP exam. | s3://commoncrawl/crawl-data/CC-MAIN-2022-40/segments/1664030335286.15/warc/CC-MAIN-20220928212030-20220929002030-00313.warc.gz | CC-MAIN-2022-40 | 5,045 | 15 |
https://docs.gigaspaces.com/xap/10.2/admin/runtime-configuration.html | code | This page describes an older version of the product. The latest stable version is 16.4.
This section lists and explains the different runtime configuration parameters.
The Runtime Environment
A processing unit is deployed onto the Service Grid which is responsible for materializing the processing unit’s configuration, provisioning its instances to the runtime infrastructure and making sure they continue to run properly over time.
Global vs. Local LUS
Configuring a global or local LUS.
Global vs. Local GSM
Configuring a global or local GSM.
A list of system runtime parameters. | s3://commoncrawl/crawl-data/CC-MAIN-2024-18/segments/1712296818468.34/warc/CC-MAIN-20240423064231-20240423094231-00240.warc.gz | CC-MAIN-2024-18 | 584 | 9 |
https://whatjackhasmade.co.uk/speed-art-shape-shift/ | code | Description - Shape Shift
In this speed art, I manipulate cloud effects with symmetry. I have a new collection of several art pieces similar to this on the site. However, I have done few animated versions and felt like showing the process of the production.
If you like the video be sure to subscribe! | s3://commoncrawl/crawl-data/CC-MAIN-2018-51/segments/1544376827769.75/warc/CC-MAIN-20181216143418-20181216165418-00626.warc.gz | CC-MAIN-2018-51 | 301 | 3 |
https://nybpost.com/5-captivating-reasons-to-know-why-programming-assignment-help/ | code | Working on a programming assignment is challenging for many students. It demands utmost attention and good knowledge of programming language. Moreover, students need to focus on practical knowledge rather than theoretical learning. As they need to write programs to create real-life solutions. By writing programming assignments, students expand their learning. However, a lack of something cannot allow them to compose excellent papers. For that, they can ask for programming assignment help. It acts as a knowledgeable backup for reducing the stress of composing programming assignments.
Students that cannot find the rhythm of writing flawless programming homework feel stressed and tired. They cannot pay attention to assignment writing. Consequently, they lose their performance as well as grades. For them, it is good to connect with experienced programmers and discuss their concerns with them. Let’s understand why you should use online programming help for drafting your assignments:
5 Reasons to Consider Before Asking For Programming Assignment Help
Without understanding the depth of any services, you cannot enjoy their benefits. Therefore, it is good to know about programming help so that you will make the right decision. Go through the following reasons to know why you should ask for programming help:
1. Connect with experts without leaving your solace
Indeed, you do not have to move physically to ask programmers for help in writing your assignments. Through online help, you can connect digitally with experts and share your project details wherever you are sitting. Be in your comfort and take the professional’s help in writing your programming assignments.
2. Reduce the tension of meeting deadlines positively
Assignments come with deadlines. Students cannot offer their 100% if they have fear of missing the due dates. For them, it is good to take help from online tutors and kill the tension of missing the time. Being a student, do not take the risk of making late assignment submissions when you have the option of online programming help.
3. Grab an opportunity to expand understanding
With the support of professional writers, you will get affluent opportunities to expand your learning effectively. When you choose to take help from professional programmers, you will get exposure to academic learning. Their writing skills and knowledge of programming language will motivate you to compose the best academic papers.
4. Manage time to writing and studies
The most significant reason to ask for online academic writing help to compose your programming homework is to get effective time management. With professional help, you do not have to take the strain of composing academic papers. As a result, you can focus on your studies and improve your learning.
5. Get great exposure to outstanding coding skills
Without coding skills, you cannot prepare insightful programming homework. For that reason, it is great if you get exposure to excellent coding knowledge. Through programming writing help, you can advance your knowledge of programming and reflect it on your assignments. This makes your assignment more productive and knowledgeable.
Still, Confused? Take Professional Programmers’ Help For More Clarification!
Writing a programming assignment is a bit challenging. Students have to work hard and manage their time smartly. If they cannot focus on their writing or knowledge gaining, it gets complicated to write error-free papers. They cannot concentrate on drafting their programming assignment. Instead of stressing, take a step and ask for professional guidance. Use assignment help and draft excellent papers with advancing programming language. Make sure to connect with a reliable service provider and receive secure services. | s3://commoncrawl/crawl-data/CC-MAIN-2024-18/segments/1712296817438.43/warc/CC-MAIN-20240419141145-20240419171145-00571.warc.gz | CC-MAIN-2024-18 | 3,778 | 16 |
https://forum.dynamobim.com/t/excel-roundtrip-fill-patterns-line-styles-etc/1973/10 | code | I’m trying to clean up things like fill patterns and line styles and am a bit stumped on getting everything in and out of Excel. Starting with Fill Patterns (I assume the technique will be the same for other things?) I’ve managed to export the names to Excel, make a few changes and read it back into Dynamo but that is where I stall.
I would like to export element IDs and names so I can sort and look for duplicates and still keep the correct name with the correct pattern. I can get names or IDs to write but am missing something simple to get both out.
The other spot I’m completely stopped by is getting it back to the elements in the file. I can read the excel file in Dynamo but I’m not sure how to path it back to the elements. I’ve read through a few posts and at some point it all starts to look like greek =/ If the answer is in one of them I’m probably just brain-dead and missing it.
Couple of things that you can do to get started. Since I don’t like the OOTB Excel Read/Write nodes, I wrote my own and you can get them under package called Bumblebee. Please download that.
Then I will demonstrate a simple to and from excel using Bumblebee, but before we do that let’s get some data. You mentioned Fill Patterns so let’s work with that. First get all Fill Patterns in the project and since there isn’t a working category for it yet, we will use a Python node:
That will return a list of all Fill Patterns that are currently available in the Project:
Now we can extract their names and Id’s and join them into a single list
now let’s write that out to Excel using Bumblebee:
Now, we can do some stuff with that data in excel. For example change some names like so:
Then we can pull that back into Dynamo like so:
now is the fun: let’s set the names and see if we can - I haven’t actually tried - LOL:
Damn, this proved to be a little bit more difficult than I thought. Anyways here it is:
First let’s break down our data coming back from Excel:
Let’s grab our id’s and convert them to integers so we can use them to extract our elements again:
Now, we can use archi-lab nodes to get an element by ID like so:
And lastly set the new names like so:
Thanks! I’ll try to go through in-depth later this afternoon. Until then I have a couple newbie questions:
Why use Code Block instead of a String & Number for the Sheet Name and Starting Col/Row?
What is the difference between using Categories and Element Types in the very beginning?
and I guess it would have helped if I posted what I had managed to come up with so far… Attached image is how I got the information out which (seems to) work fine.
Oh your method is actually better than using a custom Python node to do this. I didn’t check under Types but i guess it works. I will ask the dev team to take it out of categories dropdown since it doesnt work there. Good job on this one.
There is no difference between String Node and a Code Block that has “someText”. Difference is in my personal preference and immediacy of getting access to a string node where I have to search for it and it takes seconds longer than just double clicking on canvas to get a Code Block. Those seconds add up and save you time eventually.
Thanks for the info on Code Block - I didn’t know I could double click to get one.
I’m looking at this and have a few stall points.
If I don’t use Python in the beginning it seems to keep the rest of the Python from working - I’m guessing the first segment defines everything for the entire file? Or am I doing something wrong since I’m trying to go through step-by-step so I can understand it instead of just copy & paste?
Without that first Python script I’m back to being lost on how to get things back in beyond reading the file :oops:
Also - is there any advantage to keeping everything in one file vs an Import & Export file? I can’t tell if it is possible to do this in one file without BB (not knocking BB - so far it is great, just curiosity on my end)
Hi! I looked answers on the forum. It was so close. In this thread is images that not zooming. Can you post .dyn script or old images in good resolution here?
I need to upload Fill Patterns to the project from Excel file.
A little behind on this but wanted to updated incase anyone stumbles across it while searching. I did finally get this working, at least for fill patterns. Export and Import/Rename/Delete graphs attached
Manage-FillPatterns-DeleteByFilter.dyn (13.7 KB)
edit: stupid question - why do the images not expand out?
guessing it has to do with fact that your post was tacked onto something from a long time ago, and in the meantime the URLs for the forums have changed. There is a way of getting to old posts, but not sure about your new post. Interesting.
Because this thread was on the old forum. The original can be found here:
Stumbled across this looking for a way to extract a .PAT ‘drafting pattern’ from Revit to Excel. I made this fancy cover page for occupancy values, but it relies on the .PAT being converted to a .PNG (Manually) and inserting and defining the .PNG in EXCEL. Not really sure how I’d start breaking down a .PAT to get the scale/stretch relations, or what criteria a .PAT has available to Dynamo.
I am trying to use your dynamo script, but I do not have the package “Tool get fill pattern target” Do you know the name of the package so I can download it.
@mariaZW9XM That node would be from SteamNodes | s3://commoncrawl/crawl-data/CC-MAIN-2022-40/segments/1664030334514.38/warc/CC-MAIN-20220925035541-20220925065541-00597.warc.gz | CC-MAIN-2022-40 | 5,459 | 37 |
https://crack-best.com/visual-studio-2012-activation-key/ | code | Instead, the preview of Python tools is said to arrive later on as an update to the Visual Studio Visual Studio Crack visual studio 2012 activation key were not without demonstrating the improvements to integration with Azure cloud services. Developing Microsoft in this direction makes it easy to create, debug, post and publish your applications in the Azure cloud directly from the IDE, providing, also, the built-in tools for visual studio 2012 activation key with these applications, as well as with Docker-containers. NET Core applications and so on. The newest, lightweight modular approach allows you to install only those components of the environment that are necessary and accelerate the installation of the tool from start to finish.
The Licensing process of our ComponentOne controls is fairly simple. The application should have a licenses. About Licenses. If multiple C1 Controls are used in the application, then entries of these controls are created in the same licensing file in the order they are dropped.
The licenses. For example, the licenses. C1BarCode, C1. About Serial Key Subscription Any license key subscription is valid for four trimesters only. For instance if you buy any license key of V2, then you can use this serial key for controls of version V2, V3, V1, and V2.
If you use this serial key for control of version V3, then the serial key would expire and nag screen would be recevied on executing the application with ComponentOne controls.
To identify the trimester user can check the control version. The center part of the control version identifies the trimester e. One can check whether license is valid for the installed version or not. That is, if you have licenses for V2, then you can use the serial key indefinitely with builds of versions V2, V3, V1 and V2. But please note any fixes or enhancements will be done in the latest builds only.
You will then need to upgrade your subscription. Please contact our Sales department for this. Activation Model The license keys should be activated on the development machine. Following are the steps for activating the license keys when you have Internet connection: Download C1LicenseActivation build from the url – http: Run Command prompt with administrative rights.
Type the following command: Any license key supports upto 2 activations. Please make sure that you deactivate your key whenever you format your machine. Following are the steps for deactivating the serial key: If internet connection is not available, then please refer to the following link: In case you face any problems in licensing, please refer to the list of Troubleshooting solutions available in the documentation.
In case the above solutions do not help, you may refer to the following solutions in the order they are given: Alternatively, you can create a new application, drag drop all the controls used in the existing application and copy the licenses.
Rebuild and run your application. In case you have upgraded the controls, then can use the C1ProjectUpdater utility to update your existing C and VB projects.
For more info on C1ProjectUpdate, refer http: If the product has been activated successfully, the xaml code c1: In case of improper activation, the line will be generated automatically on removing. Similarly, for WinRT applications, if you are facing problems even after activating your licenses, then just look for the xaml code Xaml: If the above steps fail to resolve your licensing problems, then email it to our Technical Support team supportone componentone.
Visual studio Product Key. The application offers programmers with the entire tools required to develop a software right from scratch. admin Visual Studio Ultimate Edition Full Serial is an IDE software from Microsoft Corp. and userfriendly.1/10 Product Key Free Microsoft Product.
VIDEO: Visual Studio 2012 Activation Key
Free: Visual Studio Express for Windows Desktop and Product Key When the Visual Studio free versions were originally announced the first thing I. Microsoft’s Visual Studio (written in C++ and C#) has always been the Product Keys List // Visual Studio , , x, Professional. | s3://commoncrawl/crawl-data/CC-MAIN-2020-50/segments/1606141195417.37/warc/CC-MAIN-20201128095617-20201128125617-00200.warc.gz | CC-MAIN-2020-50 | 4,144 | 13 |
http://ronsrunning.blogspot.com/2008/11/11308.html | code | Worked the folding machine today at the printing shop. Easy run into the dark. That's my whole day. Working again tomorrow.
5pm. home. 70-63 degrees
1:14:50, bf 692
4 days ago
This is the day the Lord has made; let us rejoice and be glad in it. - Psalm 118:24 | s3://commoncrawl/crawl-data/CC-MAIN-2017-17/segments/1492917119225.38/warc/CC-MAIN-20170423031159-00096-ip-10-145-167-34.ec2.internal.warc.gz | CC-MAIN-2017-17 | 259 | 5 |
https://community.developers.refinitiv.com/questions/5672/vpi-with-external-contributions-via-mlip-and-conte.html?sort=oldest | code | Anyone tested VPI with external contributions via MLIP (Reuters Marketlink IP) and/or Contex? I’ve tested VPI for internal publishing via NIP and with ATS but I’ve heard some doubt expressed whether VPI extends to external contributions to IDN via MLIP and Contex.
I assumed that as long as the items being contributed have the required fields available on IDN then VPI should populate the fields with userId on contribution and they can be tracked via subscription back from IDN. I can’t think of any reason why that should not be the case but haven’t tested myself. Can anyone confirm?
It is not as simple as that. I have had the same thought earlier . But not all RICs has the common FIDs to contain VPI information. So if clients pages or Rics are required to track . Then you can not have both on one MLIP.
If pages are required then that’s an issue. Perhaps the solution is to do everything internally with VPI tracking (ATS or NIP) and then have Contex subscribe to the internally published data and contribute externally. I wonder if we have a tested use case solution out there? Can anyone advise? | s3://commoncrawl/crawl-data/CC-MAIN-2021-43/segments/1634323585201.94/warc/CC-MAIN-20211018093606-20211018123606-00667.warc.gz | CC-MAIN-2021-43 | 1,116 | 4 |
http://stackoverflow.com/questions/18470595/a-constructible-type-deriving-from-dbcontext-could-not-be-found-in-the-selected/18470879 | code | I'm trying to use the "View Model" feature of the EF Power Tools Beta 3 as heavily depended on by Julie Lerman within Visual Studio 2012.
I originally had the "sequence contains no matching element" problem many people seem to have encountered. The solution in the above article is an acceptable workaround that fixes the problem.
I'm now encountering the second error:
"A constructible type deriving from DbContext could not be found in the selected file"
The proposed cause of the problem in Julie's blog and in this question is that there is a conflicting extension somewhere.
I have disabled all possible extensions, yet I'm still receiving the error.
Is there any more information on how to resolve this?
Alternatively, I'm also using VS2013 Preview. Is this (working) functionality available in this version of Visual Studio? | s3://commoncrawl/crawl-data/CC-MAIN-2014-15/segments/1397609538787.31/warc/CC-MAIN-20140416005218-00177-ip-10-147-4-33.ec2.internal.warc.gz | CC-MAIN-2014-15 | 831 | 8 |
https://comicvine.gamespot.com/itachi-uchiha/4005-44260/forums/somewhere-along-the-line-something-went-wrong-21855/ | code | Um......has anyone else noticed that when you go on the page there is
1) A solution to a "What WWE wrestler are you?" at the top
2) The rest of the solution is actually in the description for the character.
Did someone, somewhere along the line mess with HTML just a little too much? | s3://commoncrawl/crawl-data/CC-MAIN-2017-22/segments/1495463615093.77/warc/CC-MAIN-20170530105157-20170530125157-00462.warc.gz | CC-MAIN-2017-22 | 283 | 4 |
https://salesforce.stackexchange.com/questions/228309/how-to-unsubscribe-a-contact-from-mobileconnect-through-a-landing-page | code | While sending out MobileConnect SMS messages we will be using a custom "From Name" instead of a From Number. This means that we cannot get STOP/Unsubscribe replies on our SMS messages. To address this, we plan to include a landing page URL that enables a single click unsubscribe for our contacts.
I need the contact to be unsubscribed from salesforce CRM (mobile opt-out field) and from MobileConnect for the Business unit they are added to.
I was able to setup the AMPscript to update the "Mobile Opt-Out" field in salesforce but I have no idea on how to unsubscribe the contact from MobileConnect. I can't really find any official documentation on it either.
Came across a few questions on stackexchange which suggest using UpdateData function on the _MobileAddress view. But here I can't seem to access the ContactKey value and instead only the ContactID is available.
Is there a way to get the ContactKey value in the _MobileAddress view ? Or is there a better way of unsubscribing contacts in mobileConnect ? | s3://commoncrawl/crawl-data/CC-MAIN-2023-50/segments/1700679100276.12/warc/CC-MAIN-20231201053039-20231201083039-00376.warc.gz | CC-MAIN-2023-50 | 1,014 | 5 |
https://snapdragonuk.net/jobs-and-careers/ | code | Snapdragon Magazine is looking for new and ambitious and hard working staff to join the team. You can operate from any location as long as you have an internet connection. We are looking for a variety of positions in January onwards. Please email ; [email protected] [Editor] for more information on the opportunities listed.
-Live gig reviewers [Internship]
-Administration Assistants [Internship] | s3://commoncrawl/crawl-data/CC-MAIN-2017-43/segments/1508187826642.70/warc/CC-MAIN-20171023202120-20171023222120-00094.warc.gz | CC-MAIN-2017-43 | 398 | 3 |
https://support.dbvis.com/support/discussions/topics/1000108621?sort=date | code | i just download it and it report "beta versionespired"!
For the new google driver for bigquery the graves (backtick ` ) aren't used, and it doesn't use the project-id. The full needs to be used,
An additional issue is that you have to limit the response explicitly. In V12 with the old simba driver it limited to the dbvis normal 1000 without having to make that part of the query.
Without the LIMIT:
18:12:29 FAILED [SELECT - 0 rows, 0.871 secs] java.lang.reflect.UndeclaredThrowableException -> See Tools->Debug Window and the Error Log for details)
2022-02-09 18:09:37.739 WARN 871 [ExecutorRunner-pool-3-thread-15 - cb.b] Internal error while executing: SELECT
..... <cut> .....
... 4 more
2022-02-09 18:12:30.017 WARN 871 [ExecutorRunner-pool-3-thread-16 - cb.b] Internal error while executing: SELECT
..... <cut> .....
Caused by: java.lang.NoClassDefFoundError: com/google/common/util/concurrent/internal/InternalFutureFailureAccess
Google BigQuery is still not fully supported. However, the next beta will have proper settings for delimited identifiers and qualifiers, so that should not be an issue.
The problem with LIMIT is still puzzling us as there are no good documentation on how to workaround the java.lang.NoClassDefFoundError error. There is the MaxRows driver property which depending on its settings may work in some situations but fail with the same error in other. Appending LIMIT does however seem to work properly.
Next beta will include basic support for BigQuery which will need the above tweak in order to fully work. We do have plans do fully support BigQuery during the spring.
Like I mentioned, the older Simba JDBC seemed to work with the internal DBVis MaxRows. If you can still download it you may be able to poke at it and see if reflection can give you some insight.
I had it working pretty well before the beta, example entry for the SQL STATEMENTS
SELECT ALL: SELECT * FROM $$catalog$$$$schemaseparator$$$$schema$$$$schemaseparator$$$$table$$
The driver change really seems to be the issue with the limit. Since I upgraded it I have the same issue with my generic driver that was working before.
The $$catalog$$ fix is in the next beta.
For the java.lang.reflect.UndeclaredThrowableException error and the LIMIT clause I am a bit puzzled as I get the same error with all these versions:
I am testing this with the beta DbVisualizer version.
I am a bit confused as it seems you are saying BigQuery worked with previous DbVisualizer versions but not in the beta irrespectively what Simba driver version is used?
The EDT violation errors are only visible in the beta and is happening due to a bad implementation in the Simba driver.
I upgraded the Simba driver when I setup the beta version. Made a new connection with the Google connector on the system to see how it was working and test. I thought is was going to be the Simba driver because changing how things are handled seemed much more likely to be related to that as opposed to it being DBvis itself. Using Generic and having the entire connection string as
The default dbvis limits were used (the Max Rows entry on the UI and X rows on first display, I use 10 for that one)
I could get you the entire config for the old one. As you know it's a pretty large file so I won't include it here, but I am attaching the steps I have my guys do to get it working with the stable version and my config. If you want me to send that use my email attached to my username with a way to send it since I don't think having that sitting one the web would be a great idea.
The beta testing for the upcoming 13.0 version is now live. Give it a test spin and let us know what you think!
Update: The BETA testing is now closed as DbVisualizer 13.0 has been released. Thanks for all your comments and suggestions!
2 people have this problem | s3://commoncrawl/crawl-data/CC-MAIN-2023-23/segments/1685224644915.48/warc/CC-MAIN-20230530000715-20230530030715-00135.warc.gz | CC-MAIN-2023-23 | 3,811 | 29 |
http://richmond.ebayclassifieds.com/pets/?q=python&catId=100112&locId=2600228&output=gallery | code | Born in summer of 2011. They are from an albino male het for snow ball (axanthic albinos) and mother is albino. They are great feeders. Eating live mice (sometimes thawed rats). With a partial payment I can hold for 30 days. E- 2011 albino male possible heterozygous Axanthic male 383 grams --SOLD-- G- 2011 albino male possible heterozygous Axanthic male 944 grams ready to breed male. Form of payment: Paypal, cash and I can accept credit cards (point of sale signature & identification required) ...
3 available Woma females $399 each. 2013 Woma females just hatched end of May $299 males $225 Eat anything thrown in their cage (ok maybe not just anything). =) Great eaters and look great too!
Born July 2013 Great color and contrasting colors on both! One male $1500 and one female. $1800. I also have one 100% male sibling (pic letter "s").
Bumblebee (Pastel Spider) born June 2013. Eats fuzzy mice. Great color and low pattern but good contrast. I will keep one male. I can't figure out which I want to keep so I will let you choose the one you want to get. I will keep the other.
2 Beautiful Jungle Carpet Pythons 4 sale $ 200.00 each great weigh / length 3 1/2 and the other is 4 ft even they are eating f/t alive medium size rats and Brilliant color!!!!!!! if interested please call (215)203-4124 please no emails more pictures upon request thanks!
Healthy baby reticulated pythons for sale. Only $74.99 each. Shipping and local pick up available. Please visit our website to see all available reptiles.
2013 Ball pythons for sale. Mojave females $150 Fire males $100 Pastel males $75 females $100 Het albino female $50 Poss. het albino male $40 Poss. het stripe and albino males and females $40 each Poss. het stripe and ghost males and females $40 each Normal males and females $30 each Shipping and local pick up available.
ALBINO BALL PYTHON YOUNG EATS WELL LIVE ADULT MICE VERY TAMED AND RICH COLOR IF INTERESTED PLEASE CALL 215-203-4124 THANKS NO EMAILS
I have 2 ball pythons for sale 50$ each or the pair for 80$ This ad was posted with the eBay Classifieds mobile app.
Won't include a tank, will need to bring own carrier to take home.
Very Nice Male Pastel Champagne.
Amazing Male Silver Streak Ball Python. Three genes (Super Pastel Black Pastel) with tuns of blushing.
Beautiful Female Ivory Ball Python.
I have 2 adult female ball pythons. They are about 5 years old. They are about 3.5 -4 feet long. 1 of them is proven but I do not know which one. The adoption fee for each will be $50.00 or $90 for both.
33in Albino Columbian redtail boa $215 Adult bluetongue skink $160 Adult male red bearded dragon $125 2 18in unsexed normal ball pythons $40ea $75 for both 1 male 1 female veiled chameleons stub tails almost 4in in body $30ea $50 for both Pending Flying gecko $25 Pinktoe tarantula $20 Sunburst Subadult male Veiled chameleon $110 2 Green eyed tokay geckos $20ea Both for $30 1.1 White lined geckos $40 both adult male Pictus gecko striped $50 2 Rose Hair Tarantula $12ea Female Adult albino checkered ...
Looking for a good home for my green tree python. She will come with everything you need for $300 (cage, lighting, decorations, frozen rat pups) if interested please text 240-382-5799
hello I have male t positive albino blood python for sale. he is a little over a year old and is just starting to get his colors I am letting him go to make room for a new project that I am starting please contact me for more pictures and details if you're interested he is a little feisty but its fine once he is out of his cage. I can supply cage if needed.
Big Bird needs a new home but not just any home the right home. We were told he is a male but have not had him sexed. He is a Lesser Sulfur Crested Cockatoo about 6 years old. Cockatoo's are not good beginner birds. They do need a lot of attention and can be loud. They can have issues if their needs are not met. As part of finding him the right home please let me tell you about Big Bird, the good and the bad. First the good...he will make you laugh. He does “ crazy bird” where he hangs ...
Normal female ball pythons for sale. They will eat live or frozen food. Ready to breed this season! 734 gram $74.99 1300 gram $149.99 1366 gram $149.99 1739 gram $149.99 1713 gram $149.99 Shipping and local pick up available. Please visit our website to see all available reptiles.
I have a four foot long HYPO MALE Burmese Python that I'm looking to rehome. 300.00
If you see the picture that one is with me. All 2013 babies are eating live mice and sometimes rats. Male: 21 Heterozygous albino $43 22 Heterozygous albino $43 ss Heterozygous piebald $43 tt Heterozygous piebald $43 vv pastel $27 Female: ii Pinstripe with light color and beautiful stripe ---$SOLD--- pastel $97 ww pastel $97 Gender unsure: jj normal $15 Probable female.
These boys are eating thawed rats that are just laid in cage! They are growing great. Not looking for any trades. I have one sibling female that I will part with only if she is purchased with the male (unless the male sells first). Male 289g. $299 Female $359 - All girls are listed in another ad. Form of payment: Paypal, cash and I can accept credit cards (point of sale signature & identification required) electronic receipt provided. no personal checks.
Babies from this summer. All are eating live hopper mice (a couple are eating fuzzy rats). Males pinstripe ball python morph: $125 Shipping is not included. Of course hand delivery is preferred.
Baby girls born this summer. All are eating live hopper mice (a couple are eating fuzzy rats). Female pinstripe ball python morph: $225 Light colored (Axanthic like) Female #OL $249 Shipping is not included. Of course hand delivery is preferred. | s3://commoncrawl/crawl-data/CC-MAIN-2014-10/segments/1393999654390/warc/CC-MAIN-20140305060734-00031-ip-10-183-142-35.ec2.internal.warc.gz | CC-MAIN-2014-10 | 5,716 | 24 |
https://www.northpointpeds.com/health/infants-children/medication_dosing_charts/?/health/medication_dosing_charts/ | code | Medication Dosing Charts
For assistance calculating dosages of common medications for your child please see the links below for weight appropriate dosing.
Your local pharmacy is also a good resource for any medication related questions.
Please refrain from giving any over the counter medication to an infant less than eight weeks of age unless instructions have been given to you by a Northpoint provider.
The following medication dosage charts can be found on our FREE phone app NP PEDS MD
- Diphenhydramine (Benedryl, etc)
- Cetirizine (Zyrtec)
- Loratadine (Claritan) | s3://commoncrawl/crawl-data/CC-MAIN-2017-13/segments/1490218193716.70/warc/CC-MAIN-20170322212953-00506-ip-10-233-31-227.ec2.internal.warc.gz | CC-MAIN-2017-13 | 571 | 8 |
http://newplayer-rm.blogspot.com/2009/01/this-is-definately-not-journal-space.html | code | Have you noticed how few folks come by here? I don't see any of my JS friends. Most days I don't get a single comment. I read everyone who is posting here, but it seems like that is only a small subset of the folks I used to read.
What's going on? Is the JS community dead now? | s3://commoncrawl/crawl-data/CC-MAIN-2019-04/segments/1547583660529.12/warc/CC-MAIN-20190118193139-20190118215139-00127.warc.gz | CC-MAIN-2019-04 | 277 | 2 |
https://www.freelancer.jp/projects/android/react-native-android-developer/ | code | I need react native android developer soon.
I have a React Native project. It's working as well for iOS devices and Android simulator.
Also it's working some android devices as well.
But it's not working for some devices such as Samsong Gallery phones.
I am not sure about reason. I will provide you source code. You can send me apk.
If apk is working as well for my devices, I will release payment soon.
I need to start this project now.
Hello, how are you? I have read the details provided, but please contact me so that we can discuss more on the project. I believe I have the required skills in this case.
Ok, we will check it. It is due to not written updated method and not handle conditions properly. We will tell you the exact time and cost after check the code throughly. | s3://commoncrawl/crawl-data/CC-MAIN-2018-43/segments/1539583511175.9/warc/CC-MAIN-20181017132258-20181017153758-00539.warc.gz | CC-MAIN-2018-43 | 780 | 9 |
http://shawnmehan.com/udacity-continues-massive-online-course/ | code | I wrote [earlier](http://seanmehan.globat.com/blog/2012/03/08/interview-with-center-for-21st-century-universities/) about Norvig and Thrun’s experiement with massive online courses and how it would impact on the university model this century. I am now following another link in the experiment, [Udacity](http://www.udacity.com/).Udacity is a venture in which Norvig and Thrun seem to have shifted to an external vehicle away from Stanford, as well as [David Evans](http://www.cs.virginia.edu/~evans/) from [UVA](http://www.virginia.edu/). They have some courses running now, for low cost, and there is an impressive list of upcoming for this year, including:
* Theory of Computation
* Operating Systems
* Distributed Systems
* Algorithms and Data Structures
in addition to CS387 – Applied Crypto, and CS212 – Design of Computer Programs.
I know that much of the motivation for these comes from meeting the needs of the expanding educational requirements in the developing world, but this is exciting. It is using a flip model, lectures viewed independently (which is, after all, the same as reading a text in preparation), and then interacting on problem solutions. The [NYT](http://www.nytimes.com/2011/08/16/science/16stanford.html) quoted [Hal Ableson](http://groups.csail.mit.edu/mac/users/hal/hal.html) with an interesting observation (you should also check out his [78s collection](http://groups.csail.mit.edu/mac/users/hal/misc/78s/) ), “The idea that you could put up open content at all was risky 10 years ago, and we decided to be very conservative,” he said. “Now the question is how do you move into something that is more interactive and collaborative, and we will see lots and lots of models over the next four or five years.”
Which will lead me to my next post on the *hype model*. | s3://commoncrawl/crawl-data/CC-MAIN-2018-09/segments/1518891812841.74/warc/CC-MAIN-20180219211247-20180219231247-00549.warc.gz | CC-MAIN-2018-09 | 1,810 | 8 |
https://forums.macrumors.com/threads/finder-dock-wont-load.13461/ | code | Hi guys, I've got a bit of a problem. I'm running OSX 10.2.1 (whatever the latest is, I ran Software Update fairly recently) When I turn on my iMac, it runs through the motions of starting up - you get the grey screen with the rotating 'thingy' at the bottom, then you get the blue background and the 'Welcome to Macintosh' window where the blue bar goes from left to right. Then the blue screen comes up, and you'd normally expect the desktop to load, with finder and the dock, but that's it. I'm just stuck on the blue screen. It occasionally flickers but that's it. I did a bit of searching on here, and I've tried apple-s at startup, and typing fsck -y but the same errors came up. The errors I get are under 'Checking Catalog File' and are: "Overlapped extent allocation (file <a number goes here> )" I tried putting my Jaguar CD in and booting on that, and then running the Disk Utility to verify and then repair the hard drive. It looks the same as fsck -y? The same errors came up anyway, and it said repair complete, but my poor iMac still doesn't boot. THe last software I installed was ircle (the irc software for OSX) if that helps. Anyone have any ideas? Help please Anything is greatly appreciated. Derek --from Sydney Australia. | s3://commoncrawl/crawl-data/CC-MAIN-2018-47/segments/1542039748315.98/warc/CC-MAIN-20181121112832-20181121134832-00391.warc.gz | CC-MAIN-2018-47 | 1,243 | 1 |
https://crowdin.com/project/ehforwarderbot | code | Translations for EH Forwarder Bot framework, documentation and some modules for it.
EH Forwarder Bot: An extensible message tunneling chat bot framework. Delivers messages between platforms and remotely control your other accounts. https://github.com/blueset/ehforwarderbot
Open a thread here to request for a new language or to add your module to this project. | s3://commoncrawl/crawl-data/CC-MAIN-2021-31/segments/1627046153892.74/warc/CC-MAIN-20210729172022-20210729202022-00136.warc.gz | CC-MAIN-2021-31 | 361 | 3 |
https://scholar.social/@mi_umg/103199134090107838 | code | Hello World! This is a joint account for the Department of Medical Informatics of the University Medical Center Göttingen. Our research helps shaping the future of health information systems and medical research.
Today, Markus and Jendrik take part in a FHIR data modelling workshop in the beautiful historic buildings at Berlin Charité
Scholar Social is a microblogging platform for researchers, grad students, librarians, archivists, undergrads, academically inclined high schoolers, educators of all levels, journal editors, research assistants, professors, administrators—anyone involved in academia who is willing to engage with others respectfully. | s3://commoncrawl/crawl-data/CC-MAIN-2020-29/segments/1593657146845.98/warc/CC-MAIN-20200713194203-20200713224203-00124.warc.gz | CC-MAIN-2020-29 | 658 | 3 |
https://community.magento.com/t5/Magento-2-x-Admin-Configuration/Multistore-setup-logic/td-p/442962 | code | Need some advises to understand the logic of multistore setup. I need to mage 3 stores with different themes and almost different product trees (some products should be available on 2 of 3 stores and some - on all stores).
I've created 2 additional root categories, sites, stores (all store with own root category) and store views and sites seems to working. I made a 3 products in these 3 different roots but all there products only available on default site. Is there any good explanation of the products distribution between stores with some practical examples?
4. 2 additional store views linked to these stores
5. In the stores-configuration-web changed base url and secure base url
6. in the apache's virtual hosts added MAGE_RUN_CODE for each website with it's own code and MAGE_RUN_TYPE "website".
in the result, each URL is being opened but all products only available under default URL. I will not try to install own theme for each site to make sure it really shows me different sites under different URLs. | s3://commoncrawl/crawl-data/CC-MAIN-2024-10/segments/1707947476442.30/warc/CC-MAIN-20240304101406-20240304131406-00342.warc.gz | CC-MAIN-2024-10 | 1,016 | 6 |
https://androidforums.com/threads/need-some-how-to-help-please.397769/ | code | Hi all. I've had new android phone for few weeks now. Figured most out however there are a few setting I cannot figure out. I have already searched. I have the Samsung Replenish. How does the "recent messages" setting work? How many should I set this too? Same for "amount to synchronize"? What is it asking me and how should I set this? When I choose "empty deleted items" it prompts me if I want to delete contents in server deleted items. If I choose yes, does this simply mean it's emptying the trash bin of whichever email account I am connected to? What about email size? I don't know how big emails are? What should I set this to? Period to sync calendar? Is this referring to items in the past or future? Thanks so much!!!! | s3://commoncrawl/crawl-data/CC-MAIN-2017-43/segments/1508187822513.17/warc/CC-MAIN-20171017215800-20171017235800-00720.warc.gz | CC-MAIN-2017-43 | 731 | 1 |
http://cmtwamiab.blogspot.com/2010/11/back-from-australia.html | code | WOW...what a trip. As I've told pretty much everyone here the trip was excellent and I couln't have done it without Amanda's expert driving skills. THX, Panda. I was able to hug Koalas and kiss crocs (its a common thing in Oz or so I'm told). The food was great and the people just as friendly as could be. Maybe next time I'll have to try Sydney or Taz. | s3://commoncrawl/crawl-data/CC-MAIN-2018-22/segments/1526794867417.71/warc/CC-MAIN-20180526112331-20180526132331-00317.warc.gz | CC-MAIN-2018-22 | 354 | 1 |
https://atishmusic.com/blog/tag/kora/ | code | For this month’s Discord Demo day I was very happy to host one of the nicest and most talented guys in our scene, Kora. In addition to Kora being a dear friend and top level producer, he gives some of the best critical feedback on the industry. I actually send all my own work to him before I release any of my work because his ear is so good. Enjoy!
If you’d like to submit your music for the next Discord Demo day, join my discord channel here: http://atishmusic.com/discord | s3://commoncrawl/crawl-data/CC-MAIN-2023-50/segments/1700679100593.71/warc/CC-MAIN-20231206095331-20231206125331-00224.warc.gz | CC-MAIN-2023-50 | 480 | 2 |
https://undertowgames.com/forum/viewtopic.php?p=124844 | code | I'm here to offer my knowledge of my native language to translate the game to Portuguese.
I already made contributions for the translation of a ss13 BR server a long time ago.
I can read and write in english
why am I doing it? : why would I like to be able to play the game in my language and be able to contribute to the growth of the community
very nice, when I can start send me a message | s3://commoncrawl/crawl-data/CC-MAIN-2019-18/segments/1555578593360.66/warc/CC-MAIN-20190423054942-20190423080942-00394.warc.gz | CC-MAIN-2019-18 | 391 | 5 |
http://foswiki.org/Tasks/Item13669 | code | Item13669: Macros topic is no longer a good reference for a quick lookup of macro syntax.
Current State: Closed
Released In: 2.0.2
Target Release: patch
Applies To: Engine
There are two problems.
One is easy to solve. The link in the WebLeftBar
in System called Macros used to point to a nice index page of macros that enabled me to get to the defined syntax of macros in two clicks. First Macros. Then click on the Macro name. Now I get a long bla bla bla about Macros. Very well written. But not the quick reference you want on a daily basis as a normal user.
link should point to the MacrosQuickReference
But now the real trouble comes.
The new MacrosQuickReference
assumes that all VarMACRO
topics are in a specific format. And they are not. More than half the Macros on a normal installation come from plugins. And they use the old format for a VarMACRO
topic. So the page is nearly useless now.
The plugins are not going to be converted to the new format any time soon. And what was the point that we all split out the plugin docu in VarMACRO
topics just to throw it all away with this change?
- 03 Sep 2015 | s3://commoncrawl/crawl-data/CC-MAIN-2022-33/segments/1659882573760.75/warc/CC-MAIN-20220819191655-20220819221655-00307.warc.gz | CC-MAIN-2022-33 | 1,113 | 17 |
https://www.softpile.com/smtp-pop3-imap-email-lib-for-foxpro/ | code | SMTP / POP3 / IMAP FoxPro email component library uses a simple API to send and receive mail, including HTML and MIME Base64 and quoted-printable encoded attachments. Supports SMTP and POP3 authentication, SSL / TLS, ISO-8859 and UTF-8 messages.
Version: 8.3MarshallSoft SMTP / POP3 / IMAP FoxPro email component library (SEE4FP) uses a simple API to send and receive mail, including HTML, MIME Base64 and quoted-printable encoded attachments, from within a FoxPro application.
License: Free To Try $119.00
Operating System: Windows
Features of SEE4FP include:
- Send email with inline HTML, GIF, TIF, JPG, BMP and Rich Text attachments.
- Supports ISO-8859 and UTF-8 character coding.
- Supports CHARSET_WIN_1250.
- Supports email servers that require SSL/TLS.
- Get the number of messages on your email server.
- Get the header lines from any email on your server without reading the entire email.
- Delete any email on the server without downloading the entire email.
- Copy any email on the server without deleting it.
- Receive any email on your server including MIME attachments.
- Download email from your server, automatically decoding MIME attachments.
- Remove contents of incoming attachments.
- Copy email and navigate between IMAP mailboxes.
- Dozens of switches to control how email is sent and received.
- Run up to 32 independent threads concurrently.
- Supports SMTP (ESMTP) and POP3 authentication.
- Supports multiple (simultaneous) connections.
- Supports bulk mail on a distribution list.
- Set return receipt; add TO, CC, BCC recipients.
- Includes multiple FoxPro example programs.
- Does not depend on support libraries (calls to core Windows API functions only).
- Royalty free distribution with your compiled application.
- C source code is available.
- Free technical support and updates for one year.
- Fully functional evaluation version available.
- Works with 32-bit FoxPro through VFP 9.0
- Works with 32-bit and 64-bit Windows through Windows
Version 8.3: Protocol XOAUTH2 must be explicitly enabled. Fixed problem when renaming attachments "on the fly" [oldname:newname]. Added renaming of inline images "on the fly" [oldname:newname]. Write authentication protocol selected by user to the log file. Allow "From:" header to be split over multiple lines.
Version 8.2: Removed limits on the number/size of saved subject lines retuned by seeGetHeader. Allows ISO and UTF subjects to be broken in mid-line. Added support for OAUTH2. Base64 encoded passwords now replaced with astericks in log file. Increased password buffer to 256 characters (SendGrid passwords).
Version 8.1: All files opened for read now in shared access. IMAP response "+OK" also accepted. Added seeSetFileBuffer. Added BASE64_UTF8 to seeMakeSubject. Added SEE_GET_KEYCODE to seeStatistics. Multi-line "Subject:" " and "To:" lines saved as lines (not concatenated) for retrieval by seeGetHeader.
Version 8.0: Fixed problem with SSL PLAIN authentication protocol and with combining multiple subject lines, added error SEE_BAD_UTF8_CHAR, added constants SEE_SHOW_PASSWORDS and SEE_GET_CUSTOMER_ID, added seeEncodeUTF8String, seeDecodeUTF8String, strings passed to seeDecodeBuffer not required to end with CRLF.
Version 7.4: Added functions seeMakeSubject and seeTestConnect. seeImapConnect and seeImapConnect hide login. Socket forced closed if cannot connect to server. Allow commas in filenames. Fixed: stunnel log file name was corrupted when written to SEE log file.
Version 7.3: Maximum channels increased; Allow multiple subject lines in incoming email; Added SEE_GET_HEADER function; Fixed problem with GMAIL IMAP connection, zone calculation for "half-zones" and SEE_ADD_HEADER; also several function enhancements including disabling Stunnel logging.
Version 6.0: Better integration to the Stunnel proxy server. Added functions to easily connect to emailer servers that require SSL; added support for CHARSET_WIN_1250,ISO-8859-3 and ISO-8859-4,some bug fixes and functionality enhancements.
Version 5.2: Added functionality to UTF8 character set; added seeReadQuoted function; added ability to remove contents of incoming attachments; IMAP enhancements; bug fixes; other enhancements
Version 5.1: Support for IMAP | s3://commoncrawl/crawl-data/CC-MAIN-2023-06/segments/1674764499934.48/warc/CC-MAIN-20230201112816-20230201142816-00071.warc.gz | CC-MAIN-2023-06 | 4,220 | 40 |
http://developer.blackberry.com/native/reference/core/com.qnx.doc.scoreloop.lib_ref/topic/sc_usercontroller_addasbuddy.html | code | Adds the user returned by SC_UserController_GetUser() to the buddy list of the session user.
SC_DEPRECATED SC_PUBLISHED SC_Error_t SC_UserController_AddAsBuddy(SC_UserController_h self)
Deprecated in BlackBerry 10.3.0
SC_UserController instance handle
Library:libscoreloopcore (For the qcc command, use the -l scoreloopcore option to link against this library)
This method adds the user that is returned by SC_UserController_GetUser() to the buddy list of the current session user. It also verifies if the current session user tries to become a buddy of self.
Note that this is an asynchronous call and a callback will be triggered upon success or failure.
SC_Error_t A return code (a value of SC_OK indicates success, any other value indicates an error).
- See also:
Last modified: 2014-06-24 | s3://commoncrawl/crawl-data/CC-MAIN-2014-41/segments/1410657114105.77/warc/CC-MAIN-20140914011154-00152-ip-10-196-40-205.us-west-1.compute.internal.warc.gz | CC-MAIN-2014-41 | 793 | 10 |
https://techcommunity.microsoft.com/t5/onedrive/move-files-to-manager-onedrive-for-business-account-from-account/td-p/3897777 | code | I constantly am asked to (take disabled account) Jane Doe's OneDrive for Business account and move it to their manager's OneDrive for Business account.
I have to use a 3rd party to COPY the files from a site collection to b site collection, then I delete the files and put a shortcut to the location until the OneDrive account is deleted after x number of days.
Is there a way to MOVE them instead of copying and deleting?
When I go to move it shows my admin account and not the disabled account and then the manager's account or anyone's account.
If I were to setup a Power Automate workflow, would that even be possible? I am NOT a developer. | s3://commoncrawl/crawl-data/CC-MAIN-2023-40/segments/1695233510259.52/warc/CC-MAIN-20230927035329-20230927065329-00335.warc.gz | CC-MAIN-2023-40 | 644 | 5 |
https://jbiomedsem.biomedcentral.com/articles/10.1186/2041-1480-5-37/figures/2 | code | CLO cell line design pattern and an example. (A) Generic CLO design pattern. Terms imported from external ontologies are displayed in blue boxes, while CLO-specific terms are displayed in yellow boxes. (B) An example of HeLa cell representation by applying CLO design pattern with extended information obtained from the BAO development (shown in dashed orange boxes) with details of culturing method, cell line modification, and STR profiling. Boxes represent instances, some labelled by the class they are an instance of. The relations used to link the boxes are instance-level relations. In several cases the parent class is also noted in the box using an is_a relation. | s3://commoncrawl/crawl-data/CC-MAIN-2021-43/segments/1634323584554.98/warc/CC-MAIN-20211016074500-20211016104500-00231.warc.gz | CC-MAIN-2021-43 | 672 | 1 |
https://www.audiokinetic.com/library/2019.2.14_7616/?source=UE4&id=releasenotes_2018_1_0_1065.html | code | arrow_right Table of Contents
Wwise Unreal Integration Documentation
Release Notes 2018.1.0.6714.1065
Each version of this integration matches a specific build of Unreal Engine 4. Here is what has changed in the 2018.1.0.6714.1065 release of the integration (in addition to upgrading to the new Unreal build).
- Added support for Unreal Engine 4.20.
- WG-30002 Added support for audio input using the Wwise Audio Input plug-in. See Audio Input.
- WG-33507 Exposed Event and SoundBank callbacks to Blueprint. See Using Callbacks in Blueprint for more information.
- WG-34570 Added ability to register to the global callback via delegates.
WG-35615 At sound engine initialization time the floor plane can be set using a new value in
AkInitSettings. The Audiokinetic Unreal integration sets this value, in AkAudioDevice.cpp, to use X-Y as the floor plane.
- WG-38608 Added experimental support for Lumin.
- WG-38676 Fixed: Changing Spatial Audio Volume shape makes Unreal Editor freeze. | s3://commoncrawl/crawl-data/CC-MAIN-2022-05/segments/1642320305260.61/warc/CC-MAIN-20220127103059-20220127133059-00345.warc.gz | CC-MAIN-2022-05 | 983 | 12 |
https://www.ph.ed.ac.uk/events/2018/77328-parameter-estimation-and-all-that | code | Parameter estimation and all that
Least-squares method, maximum likelihood, Bayesian approach - everyone has heard about at least one of these methods. But do people understand how these approaches are related, what assumptions they make, and when to use each of them? In this talk I am going to discuss the basics of these methods and explain how they work using some simple examples. Since data analysis is the bread-and-butter of a physicist, this talk may be of interest to theorists, computer modellers and experimentalists alike.
This is a weekly series of informal talks focussing on some theoretical aspect of Condensed Matter, Biological, and Statistical Physics.. | s3://commoncrawl/crawl-data/CC-MAIN-2018-22/segments/1526794865913.52/warc/CC-MAIN-20180524033910-20180524053910-00210.warc.gz | CC-MAIN-2018-22 | 673 | 3 |
http://www.freshersworld.com/communities/forum/Verizon-Data-Services---Software-Jobs-at-Chennai-for-Engineering-Freshers---Chenna?comm_nid=188 | code | By: Ismail Created: 11:45 am, 29th Feb 2012
Verizon Hiring Dot Net Freshers at Chennai
Experience: 0-1 Year
Job Description :
Working as on Dot Net.
Eligibility Criteria :
Candiates Should be BE/MCA
Can be a fresher / 1 year experience candidate
Need to have academic and practical knowledge of .Net and RDBMS concepts and good in Communication.
Contact Details : | s3://commoncrawl/crawl-data/CC-MAIN-2013-20/segments/1368710313659/warc/CC-MAIN-20130516131833-00045-ip-10-60-113-184.ec2.internal.warc.gz | CC-MAIN-2013-20 | 363 | 10 |
https://mono.github.io/mail-archives/mono-devel-list/2006-October/020952.html | code | [Mono-dev] [Mono-devel-list] Operating System in C# Project
costan at MIT.EDU
Sun Oct 15 21:17:29 EDT 2006
I've been thinking of something similar.
I've seen a Singularity presentation at MIT, and it seems to me that they're
placing a lot of focus on static verification -- when they talked to us,
they were trying to make driver contracts, so that drivers can be verifiable
too. I think that's taking it a bit too far... and this means there's room
for another C#-based OS.
I wrote an e-mail about this on the Mono list in late August, and I didn't
get any answer, so I kind of gave up hope. I think there's value in having a
.net OS, for (at least) the following reasons:
* easier debugging and optimization because of metadata
* easier development due to high-level languages
* (if properly made) better test bed for research projects
* more security, due to the .net verification process
I think that most of the OS kernel, and everything on top of that, can be
managed (although not safe) code. C# supports unsafe pointers, and that can
be used to implement memory management (which is needed by the runtime) and
most resource management functions you'd expect in a kernel. I conjecture
that we only need asm and C/C++ for a boot loader and a small library of
architecture-dependent functionality (interrupts, context switching, TLB
flushing, and GDT/IDT setup come to mind).
The way I was thinking of doing this is:
* use g++ to compile the native functions
* use mono's AOT process to compile the C# kernel
* use a tool (written in C#) to build an executable image
* patch the AOT output to make it run
* statically link the native g++ output into the image
My problem is that I'd like architecting the new system and implementing the
new kernel and the library... but I don't want to spend the time to develop
the tool I mentioned, or modify the mono compiler. Of course, this can
change if other people are willing to help.
Please let me know what you think,
From: mono-devel-list-bounces at lists.ximian.com
[mailto:mono-devel-list-bounces at lists.ximian.com] On Behalf Of Suresh Shukla
Sent: Tuesday, October 03, 2006 7:14 AM
To: William Lahti; mono-devel-list at lists.ximian.com
Subject: Re: [Mono-dev] [Mono-devel-list] Operating System in C# Project
> As for the runtime being managed-- that depends on the ability to
> translate the entirety of it's CIL to 100% unmanaged code (without
> runtime-support). I'd say this is where the real challenge is.
CIL required for this task requires to be identified. One good point to
start the project can be rewriting of an OS (preferably MINIX) in C# and to
find the CIL generated. This would give fair idea of how much work is
required. Also if language has all constructs to support our task.
> It would also provide a way to create unmanaged ELF
> executables based on C# software.
You are right on the nail. Combined with the above resulting OS and
CIL-native compiler this would allow system programming in C#.
Mono AOT and DotGNU runtime already have something on this.
I found this interesting: http://dotgnu.info/html2.0/pnet.html
William Lahti <xfurious at gmail.com> wrote:
Your managed OS idea intrigues me. I have been working on a
Linux-based OS which uses C# solutions for as much of the high-level
(non-OS level) stuff like the boot agent, toolkit, OS tools, etc.
Perhaps that code would be usefuI for your project? I have been
considering doing C# rewrites of UNIX tools too.
In any case, I am very interested in this project and would like to
Kernel and user space code translation shouldn't be all too difficult,
considering mono does just that. Assuming the translated code would
still require a runtime, mono's AOT facilities could handle this.
As for the runtime being managed-- that depends on the ability to
translate the entirety of it's CIL to 100% unmanaged code (without
runtime-support). I'd say this is where the real challenge is.
Yeah, the ability to generate fully-native executable files instead of
shared libraries when invoking AOT compilation... perhaps instead of a
new tool, this change could be implemented as another mono runtime
compilation option like AOT (IE, mono --native or such). This would
minimize the amount of redundant work, and since it would be right in
the runtime, the checks for runtime-dependent code would probably be
easier/complete. It would also provide a way to create unmanaged ELF
executables based on C# software.
Another idea: a subset of C# could be defined so the compiler can
report runtime-dependent code as errors...
On 9/28/06, Suresh Shukla wrote:
> This is very interesting idea.
> I had been thinking about this for some time. To bring the language
> cleanliness and clarity of Java / C# down to OS layer.
> The OS I have in my focus is mikrokernel based distributed servers
> architecture, actually MINIX. Minix brings many best practices and
> cleanliness from OS side.
> In my opinion a compiler for generating native code from C# would be
> required. Then the task could boil down to a port/rewrite of MINIX.
> Find out what India is talking about on - Yahoo! Answers India
> Send FREE SMS to your friend's mobile from Yahoo! Messenger Version 8. Get
> it NOW
> Mono-devel-list mailing list
> Mono-devel-list at lists.ximian.com
Mono-devel-list mailing list
Mono-devel-list at lists.ximian.com
Find out what India is talking about on - Yahoo! Answers India
Send FREE SMS to your friend's mobile from Yahoo! Messenger Version 8. Get
More information about the Mono-devel-list | s3://commoncrawl/crawl-data/CC-MAIN-2023-23/segments/1685224647614.56/warc/CC-MAIN-20230601042457-20230601072457-00272.warc.gz | CC-MAIN-2023-23 | 5,512 | 94 |
http://ubuntuforums.org/archive/index.php/t-1634907.html | code | View Full Version : [SOLVED] Best XChat Channel(s) for Ubuntu Noob
December 1st, 2010, 12:32 PM
Have just signed up for XChat and i would like to know of Ubuntu channel(s) that would be suitable for a noob like myself?
December 1st, 2010, 01:00 PM
Hi, welcome to Ubuntu Forums!
This might be a good place to start with Ubuntu IRC chats.
December 1st, 2010, 01:25 PM
#ubuntu-beginners @ Freenode network.
December 1st, 2010, 01:36 PM
Thanks for the replies both
December 1st, 2010, 01:37 PM
And #ubuntu although it is very lively.
December 1st, 2010, 03:38 PM
Powered by vBulletin® Version 4.2.2 Copyright © 2014 vBulletin Solutions, Inc. All rights reserved. | s3://commoncrawl/crawl-data/CC-MAIN-2014-15/segments/1397609524259.30/warc/CC-MAIN-20140416005204-00399-ip-10-147-4-33.ec2.internal.warc.gz | CC-MAIN-2014-15 | 660 | 14 |
http://www.soundsnap.com/tags/alarm?page=1 | code | Sound design alert: four high pitched beeps in succession
A whistle blown by a coach or referee.
Smoke alarm starting to beep and then stopping
Burglar alarm whooping and rising quickly
Various course tone modulating in pitch and speed - with variations
Alarm jet, missile lock alarm, fighter plane | s3://commoncrawl/crawl-data/CC-MAIN-2015-14/segments/1427131303523.19/warc/CC-MAIN-20150323172143-00168-ip-10-168-14-71.ec2.internal.warc.gz | CC-MAIN-2015-14 | 298 | 6 |
https://www.faircom.com/products/faircom-db/multimodel | code | To put these concepts into context, let’s look at a real-world application that involves time series data. On the left side of this diagram, you’ll see large Volumes of high-velocity data that is Variable in nature. In this particular example, we have financial data that has information packed into variable-size arrays to improve the speed and performance of writing data to disk as rapidly as possible. Rather than writing a single small record for each piece of financial data, the data is packed into large blocks, without a strict data schema, and pushed to disk as these blocks. Millions of data points per second are logged to disk with this technique. This is a good example of dynamic 3Vs data.
Now, what happens when you want to perform data analysis over this dynamic data? Often the data will go through some form of ETL process on its way to a data warehouse or a relational database. But, if you leave the data in place and perform data analysis over the live data for reporting and web/enterprise/mobile device integration, you save a lot of time and you produce a wealth of opportunities for your business. You’ve also greatly lowered the strain on IT resources. You no longer need to move the data; you reduce system complexity by having a single source of data.
Only a true multimodel database supporting multiple data access techniques can address this very real modern example. This is a classic NoSQL case of schema-less data as it combines a variety of record types in a single table. This mix of formats is at odds with the relational model, which requires all records in a table to conform to a single schema (think of the third V, Variety). FairCom engineers overcame this problem with our unique Multi-Schema Data solution, which provides robust SQL access to non-relational data. When multi-schema data is accessed via SQL, we make it appear as multiple “virtual” tables, one for each schema. The SQL application is unaware of the non-relational structure of the underlying data, as it simply sees multiple “virtual” tables. Since the NoSQL portion of the application isn’t forced to impose a fixed schema over each piece of data being written to the database, the Volume and Velocity of data flowing through the application isn’t impacted. In this example, we show the benefits of FairCom DB for data flexibility, reduced code overhead, stellar data throughput, and ease of data integration and reporting through SQL. | s3://commoncrawl/crawl-data/CC-MAIN-2023-50/segments/1700679100545.7/warc/CC-MAIN-20231205041842-20231205071842-00688.warc.gz | CC-MAIN-2023-50 | 2,464 | 3 |
https://www.w-hs.de/pme | code | Physics & Medical Engineering Laboratory
Ongoing focus in Prof. Dr. Waldemar Zylka research group is system biology, especially cancer modelling and its personalized medical usage through tomographic imaging technologies like MRI, CT and MPI and other techniques, e.g. image analyses and image guidance in therapy.
Another research focus is computational electromagnetics, i.e. modelling and design of coils and fast calculation of near-field electromagnetic field applied to MRI and other modalities and therapy schemes with emphasis on quality, risk management, and temperature rises.
A third field of research activities is medical imaging and medical physics. For instance, Magnetic Particle Imaging (MPI) using ferromagnetic carbon which is a collaborative effort with the Federal University of São Carlos (UFSCar), Brazil.
Taught teaching modules and courses offered by the head of the laboratory Prof. Dr. Waldemar Zylka include lectures in physics, including medical and biophysics, electrodynamics, and computational electromagnetics.
Lab courses are hold in physics, medical physics and imaging, and electromagnetic field calculations. The lab is equipped with working installations of a CT and a MRI scanner, workstations with installed simulation packages, e.g. Ansys, Matlab, and Monte Carlo codes, as well as various measurement devices, e.g. for fiber optic thermometry.
Members of the Laboratory are PhD and MSc students working on final projects and preparing theses. All members actively participate in medical physics and biomedical engineering networks comprised of physical, medical and engineering institutes at several universities in Germany and abroad. | s3://commoncrawl/crawl-data/CC-MAIN-2023-40/segments/1695233506528.19/warc/CC-MAIN-20230923162848-20230923192848-00108.warc.gz | CC-MAIN-2023-40 | 1,678 | 7 |
https://www.experts-exchange.com/questions/28712494/Exchange-2013-mobile-device-remote-wipe.html | code | I Have a customer who is going to fire an employee soon. They want to make sure no sensitive data is left on the users phone. I know I can perform a remote wipe but this phone is the employees personal phone so I don't want to completely clear it. Is there a way to just remove the Exchange account and it's data remotely? This user is using an Android phone.
Thanks in advance. | s3://commoncrawl/crawl-data/CC-MAIN-2018-51/segments/1544376825123.5/warc/CC-MAIN-20181214001053-20181214022553-00092.warc.gz | CC-MAIN-2018-51 | 378 | 2 |
http://bugs.python.org/issue17229 | code | Created on 2013-02-18 21:21 by samwyse, last changed 2013-02-22 18:30 by terry.reedy.
|msg182343 - (view)||Author: Samwyse (samwyse)||Date: 2013-02-18 21:21|
When a URL is opened, the opener-director is responsible for locating the proper handler for the specified protocol. Frequently, an existing protocol handler will be subclassed and then added to the collection maintained by the director. When urlopen is called, the specified request is immediately handed off to the director's "open" method which finds the correct handler and invokes the protocol-specific XXX_open method. At least in the case of the HTTP protocols, if an error occurs then the director is called again to find and invoke a handler for the error; these handlers generally open a new connection after adding headers to avoid the error going forward. Finally, it is important to note that at the present time, the HTTP handlers in urllib2 are built using a class (infourl) that isn't prepared to deal with a persistent connection, so they always add a "Connection: close" header to the request. Unfortunately, NTLM only certifies the current connection, meaning that a "Connection: keep-alive" header must be used to keep it open throughout the authentication process. Furthermore, because the opener director only provides a do_open method, there is no way to discover the type of connection without also opening it. This means that the HTTPNtlmAuthHandler cannot use the normal HTTPHandler and must therefore must hardcode the HTTPConnection class. If a custom class is required for whatever reason, the only way to cause it to be used is to monkey-patch the code. For an example, see http://code.google.com/p/python-ntlm/source/browse/trunk/python26/ntlm_examples/test_ntlmauth.py This can be avoided if, instead of putting the instantiation of the desired HTTP connection class inline, the HTTPHandler classes used a class instance variable. Something like the following should work without breaking any existing code: class HTTPHandler(AbstractHTTPHandler): _connection = httplib.HTTPConnection @property def connection(self): """Returns the class of connection being handled.""" return self._connection def http_open(self, req): return self.do_open(_connection, req) http_request = AbstractHTTPHandler.do_request_
stage: test needed
versions: - Python 2.6, 3rd party, Python 3.1, Python 2.7, Python 3.2, Python 3.3, Python 3.5 | s3://commoncrawl/crawl-data/CC-MAIN-2014-15/segments/1398223204388.12/warc/CC-MAIN-20140423032004-00257-ip-10-147-4-33.ec2.internal.warc.gz | CC-MAIN-2014-15 | 2,407 | 5 |
https://brejner.online/preparing-for-work-in-the-age-of-a-i/ | code | The secret of a good assignment could lie in the philosophy of science.
Thinking about doing and doing are two different goals for teaching and training. But thinking in itself is something we do as well, and assignments let the learner train the tools of methodical thinking. If we want to teach students productive working habits when working with AI-tools, we need to teach them to think methodically.
Here are some draft questions:
- The building of Rundetaarn was important to king Christian IV. But what impact could be found in the way of thinking about University Teaching and studying in society?
- What did the participation in building Rundetaarn do to the craftsmen’s understanding of themselves as craftsmen, if anything?
or How did the surrounding town develop financially and culturally because of the building being built?
- If Brahe wrote in his journal regarding the building of Rundetaarn, what would he write? How do you interpret that?
- If the goal was to build an observatory for students of the University of Copenhagen with maximum impact, how would you plan, build and test?
- If the goal was to build an observatory for students of the University of Copenhagen with maximum impact, how would you plan, build and test? What would be the tradeoffs for whom with that approach?
- Who build Rundetaarn, and how tall is it?” This does not qualify as an assignment because it is a simple fact that can be googled.
Now add requirements for the hand-in to be well structured, evidence-based with data and arguments aligned with the philosophy of science reflected in the question, critical with an eye for details, including the odd ones out, precise, objective, formal and well-balanced.
These kinds of assignments can IMO be done with the help of AI but require human thinking. | s3://commoncrawl/crawl-data/CC-MAIN-2023-14/segments/1679296950030.57/warc/CC-MAIN-20230401125552-20230401155552-00417.warc.gz | CC-MAIN-2023-14 | 1,802 | 12 |
https://devforum.roblox.com/t/please-reduce-unneccesary-entries-in-the-right-click-context-menu/1861468 | code | As a Roblox developer, I use the right click button on my mouse a lot in explorer. With the recent additions to the right click menu, I have noticed that it is far longer than it should be.
I am right clicking on a folder in this picture.
There are two things that should be done to fix this.
This is pretty simple. If I am clicking on a folder, there is no reason to see “Show Orientation Indicator” or “Select Connections”.
There really is no excuse for this. I would even consider this a bug.
Here is a part. I have nothing on my clipboard and the part is ungrouped, has no connections, no children, and can’t be published as a plugin.
Yet, I can still see these options.
It is my opinion that while some options like Paste Into remains visible but greyed out to make it clear you have nothing selected. However the other options like Group/Ungroup, Select Children, Connections, Plugins, etc when they are currently irrelevant is a little dubious.
Another thing that might help:
I have a script here with a part as an example. It’s in starter player scripts.
When I right-click the script, I see
This is not probably not useful and can be removed.
It would make it easier to cover up less of the screen and find more important options if the right click context menu was not unneccesarily long.
For example, when I right click on this package, I expect to see “Publish Changes” near the top but instead the context menu is filled with both totally useless and mostly irrelevant options
While I’m at it, it would also help if there was some way to distinguish these important options in the context menu, possibly with an icon of some sort or being highlighted.
In any case, it would help greatly if the context menu was more concise when appropriate by at least removing options that are completely irrelevant for the selected part. Ie, don’t show me connection info for a part or folder info for a part. | s3://commoncrawl/crawl-data/CC-MAIN-2023-40/segments/1695233510730.6/warc/CC-MAIN-20230930213821-20231001003821-00671.warc.gz | CC-MAIN-2023-40 | 1,928 | 16 |
http://linux.simple.be/tools/sbm | code | This nifty boot floppy makes it easy to boot your computer from various devices, and is especially good for booting from a CD in machines with older (or flaky) BIOS. To make one of these floppy disks for yourself, download this sbm.img disk image file (or one from the official btmgr site) and write it onto a blank floppy.
The method for writing the image file onto a floppy depends on your OS:
# dd if=image of=/dev/fd0 (where image is the image filename) # cmp image /dev/fd0 (where image is the image filename)
Floppy disks are one of the least reliable media around, so be prepared for multiple bad disks. It's a good idea to compare (with cmp) the written floppy disk with the image file. If cmp finds a difference, throw that floppy away and try another one. Label your floppies.
debian install howto
simple.be linux simple holster created on debian gnu/linux last updated: 2007-04-08 contact XHTML CSS | s3://commoncrawl/crawl-data/CC-MAIN-2017-17/segments/1492917125719.13/warc/CC-MAIN-20170423031205-00184-ip-10-145-167-34.ec2.internal.warc.gz | CC-MAIN-2017-17 | 909 | 6 |
https://replit.com/talk/share/great-job-im-doing-something-similar-w/2915/458582 | code | https://repl.it/@MasterG49/ChessIt's been my dream to code this, and now I finally have the skills to do so! (Note: I haven't added check/checkmates yet)
great job! i'm doing something similar with fen string too :D
@NoNameByProgram Nice! that's super cool, I'll check it out! | s3://commoncrawl/crawl-data/CC-MAIN-2021-39/segments/1631780055684.76/warc/CC-MAIN-20210917151054-20210917181054-00065.warc.gz | CC-MAIN-2021-39 | 276 | 3 |
http://stackoverflow.com/questions/11978549/convert-a-string-to-raw-string | code | It's easy so declare a raw string
String raw = @'\"Hello\"';
But how can I convert a existing string to a raw string ?
This can come with file reading or ajax call : I want read the file as a raw string but the
readAsText method give me a no raw string.
I tryied thing like :
String notRaw = '\"Hello\"'; String raw = @raw;
But not compiling. How can I do this?
EDIT : My need is to read the string char by char. So I don't want to read \" as one char " but as two chars \ and " | s3://commoncrawl/crawl-data/CC-MAIN-2016-07/segments/1454701166141.55/warc/CC-MAIN-20160205193926-00163-ip-10-236-182-209.ec2.internal.warc.gz | CC-MAIN-2016-07 | 478 | 9 |
https://www.ibm.com/developerworks/community/blogs/applicationmodernization/entry/application_developers_first_task_getting_started15?lang=en | code | Application Developers - first task ... getting started
timhahn 100000F0AC Visits (4390)
The task of writing software, either creating it from nothing or editing existing software to make changes and enhancements, is a task that requires focused attention and concentration. Anything that provides a distraction or pulls the person away from the specific task they need to accomplish simply gets in the way of the programmer. Because of this need to concentrate on the task of programming, it is very difficult to "get into the zone". And once a programmer is in that zone, the last thing you want to do is pull them out. For doing so will just require them to spend the extra effort and time to re-engage and catch up to where they had left off when they were interrupted.
The day-to-day tasks of the application programmer require similar tasks to be performed over and over. These include accessing source code, finding a particular location in the source code that needs attention, making those changes, building a test driver, and testing the changes to the application that the programmer made. These steps are performed countless times by programmers, no matter what language, runtime environment, or platform they are working on.
The Rational Developer tools (for System z, zEnterprise, and Power Systems) are well-suited to streamline the tasks noted above. As such, after they have been set up appropriately, these capabilities help the programmer make an easier task of getting started on making changes (i.e. it's easier to "get in the zone"). And once the programmer is in that zone, the integrated development environment (IDE) helps to keep them engaged on completing that task.
The following links contain videos which show off some very basic examples of using the IDEs to do these common application programming tasks. I hope you enjoy them: | s3://commoncrawl/crawl-data/CC-MAIN-2018-05/segments/1516084894125.99/warc/CC-MAIN-20180124105939-20180124125939-00084.warc.gz | CC-MAIN-2018-05 | 1,859 | 6 |
http://ribjoint.blogspot.com/2012/07/my-letter-to-ans-governance.html | code | Now it all makes sense! It was purely an ideological meeting meant to promote the propaganda of the co-chairs! This is a violation of ANS ethics in my opinion. I sent the ANS Governance this email (there were some errors in the actual sent email, but I corrected them below):
Dear ANS Governance:
I did not attend the recent ANS meeting, but learned about an alarming aspect over the internet. The President's Special Session topic was "Low Level Radiation and It's Implication For Fukushima". It was co-chaired by the President Eric Loewen and Ted Rockwell.
Based on a description of the event (at http://ansnuclearcafe.org/2012/07/11/lnt-examined-at-chicago-ans-meeting) it appears that the speakers were all against the science of health physics and its LNT theory, which applies not only to radiation but to other genotoxic substances. It appears that the speakers were "cherry-picked" based on political ideology rather than the science of health physics.
I submit that this practice has violated ANS's Code Of Ethics Fundamental Principle:
"ANS members as professionals are dedicated to improving the understanding of nuclear science and technology, appropriate applications, and potential consequences of their use.
To that end, ANS members uphold and advance the integrity and honor of their professions by using their knowledge and skill for the enhancement of human welfare and the environment; being honest and impartial; serving with fidelity the public, their employers, and their clients; and striving to continuously improve the competence and prestige of their various professions. "
It is ironic that when the New York Academy Of Sciences published a "cherry-picked" report on the radiation effects of Chernobyl, Mr. Rockwell was instrumental in raising attention to the matter (see http://www.scribd.com/doc/63975500/Correspondence-by-Ted-Rockwell-re-NYAS-and-Chernobyl-Book). However, as late as 2011, Mr. Rockwell has shown his own bias and has denounced (erroneously) the scientific consensus (see http://atomicinsights.com/2011/04/fear-of-radiation-is-killing-people-and-endangering-the-planet-too.html). As a member (former?) of the American Parapsychological Association, he clearly shows a propensity for pseudo-science (see http://archived.parapsych.org/members/t_rockwell.html).
Dr. Loewen is associated with the George C. Marshall Institute (see http://www.marshall.org/experts.php?id=166), the same organization which propagandized against the carcinogenicity of tobacco and is currently waging a propaganda war against the science of climatology and climate change.
This session did not represent the state of the science of radiation health effects, nor did it adhere to the ethics of the ANS.
Can the ANS learn from the tobacco industry?
I look forward to your response describing what actions you will take to remedy this situation. | s3://commoncrawl/crawl-data/CC-MAIN-2019-04/segments/1547583814455.32/warc/CC-MAIN-20190121213506-20190121235355-00054.warc.gz | CC-MAIN-2019-04 | 2,865 | 12 |
http://rev.vu/Bo1Bw8?utm_campaign=Issue&utm_content=share&utm_medium=email&utm_source=The+Friday+Dispatch | code | The name says it all: SQLBackupAndFTP is database backup software for Microsoft SQL Server, MySQL and PostgreSQL.
This super affordable app runs scheduled backups, handles full, differential or transaction log of Microsoft SQL Server or SQL Server Express databases (any version).
SQLBackupAndFTP can also run file/folder backup, zip and encrypt the backups, and store them wherever you'd like, including: on a network, on an FTP server, or in the cloud (Amazon S3 and others).
When it's done, it can remove old backups and send an e-mail confirmation on the job's success or failure.
Really, this app is a bargain at twice the price.Read more... | s3://commoncrawl/crawl-data/CC-MAIN-2020-05/segments/1579251687958.71/warc/CC-MAIN-20200126074227-20200126104227-00179.warc.gz | CC-MAIN-2020-05 | 646 | 5 |
https://community.rsa.com/thread/38014 | code | Today i was working on SA for packet, the appliance shipped with 10.3, after few round testing, some issues made us decided to roll back 10.2 SP2, below are the issues:
1. Malware cloud(community) not able to activate, roll back 10.2 SP2(with same CID) resolved issue.
2. Broker missing meta value. The new index-broker.xml only has one entry regarding time. From the testing, malware not able to get any files to analyse. If target to concentration, everything works. Roll back to 10.2 SP2 resolved issue.
I searched KB, so far no 10.3 issues yet. maybe need to wait 10.3 SP1. | s3://commoncrawl/crawl-data/CC-MAIN-2021-04/segments/1610704799741.85/warc/CC-MAIN-20210126104721-20210126134721-00186.warc.gz | CC-MAIN-2021-04 | 577 | 4 |
https://gis.stackexchange.com/questions/285825/filtering-out-clusters-of-features-based-on-collective-area-threshold-using-qgis | code | I have a map I generated that roughly estimates timber industry land ownership (designated by the green on the map) in the counties surrounding the Salish Sea in the US state of Washington:
I want to remove parcels below a certain area threshold (e.g "only show parcels larger than 20 acres"). But the problem with this is that many of the larger timber tracts are broken up into a bunch of smaller adjacent real property parcels. Thus, a timber company might have a contiguous 20 acre parcel that is broken up into four 5-acre parcels, and a simple "features where area > 20 acres" search would miss this parcel.
So what I am trying to figure out how to do is show any parcels that are either (a) larger than 20 acres or (b) part of a connected cluster/group of parcels that collectively cover more than 20 acres.
For example, zooming in on part of the above map:
I want to filter out any parcels that are smaller than the reference parcel, unless they are part of a larger cluster of adjacent/connected parcels (such as the one I labeled with the blue arrows in the image), and generate a new layer with these smaller, disconnected parcels removed.
Is there an easy way to do this through QGIS?
If not, does anyone have any ideas for Python libraries or command-line utilities I could use to achieve this? | s3://commoncrawl/crawl-data/CC-MAIN-2021-04/segments/1610703521987.71/warc/CC-MAIN-20210120182259-20210120212259-00151.warc.gz | CC-MAIN-2021-04 | 1,307 | 7 |
http://stackoverflow.com/questions/5404873/how-to-find-days-between-dates-stored-in-2-strings/5404990 | code | I have two strings both are in following date format (2011-03-22).
i have to compare them and find number of days between them.
Can anyone tell me how to do this..
Please also tell me the correct method to convert them back to NSDate.
Might be a couple of errors as i just typed this, but it speaks for itself and you should get the idea.
For string to date
for date to string | s3://commoncrawl/crawl-data/CC-MAIN-2015-18/segments/1429246655962.81/warc/CC-MAIN-20150417045735-00198-ip-10-235-10-82.ec2.internal.warc.gz | CC-MAIN-2015-18 | 376 | 7 |
https://google-melange.com/archive/gci/2011/orgs/limesurvey/tasks/7122237.html | code | Find and report 3 bugs or GUI design issues at the new Central Participant Database feature of the upcoming Limesurvey 2.0alpha version (1/2)
completed by: Stanisław Chmiela
mentors: aniessh, Marcel Minke
During this years Google Summer of Code a cool new feature called "Central Participant Database" was coded. It will be available at the upcoming Limesurvey 2.0 alpha release. Though this feature was carefully tested there might still be some bugs in there and we want you to have a detailed look at this feature to check if you can find any weird behavior, misleading user interface or bugs.
- Have a look at our testing instructions[IMAGE http://docs.limesurvey.org/img/icons/external_link.gif] and the CPDB documentation.
- Test this feature by checking each single function and note any weird behavior, error messages or anything else you think is worth being improved.
- Your mentor will go through your list and will discuss the details with you.
- Add all issues to the bugtracker. | s3://commoncrawl/crawl-data/CC-MAIN-2021-43/segments/1634323585828.15/warc/CC-MAIN-20211023224247-20211024014247-00383.warc.gz | CC-MAIN-2021-43 | 993 | 8 |
http://www.provance.com/resources/blog/postid/33/mms-uk-2011 | code | The Provance Blog will provide you with expert advice, insights and opinions in regard to IT Service Management, Microsoft, Microsoft Dynamics 365 and Microsoft System Center.
Provance will be at the Microsoft Management Summit (MMS) in London, England on Tues. May 3rd 2011!
Be sure to pop by Booth #1 for a demonstration of the Provance IT Asset Management Pack for Microsoft System Center Service Manager, and pick up an evaluation copy.
Event details follow:
UNIFIED MANAGEMENT ACROSS PHYSICAL, VIRTUAL, AND CLOUD ENVIRONMENTS
Best of MMS UK 2011 will provide the best possible opportunity to learn about the latest IT Management products, solutions and technologies from Microsoft and how to apply them in your organisation. With a number of significant management product releases and announcements planned from Microsoft in the coming year, including some early Beta releases, this is an opportunity you won't want to miss!
This event is an exclusive opportunity to get an understanding of the latest news and insights on desktop, datacentre and cloud management products and solutions from Microsoft. We will share more expert knowledge and information than ever, covering current and upcoming System Center releases.
Please mark your calendar for the Best of Microsoft Management Summit (MMS) UK 2011 on Tuesday 3 May at Microsoft London. Join us and interact live with Microsoft, key strategic partners and early adopter customers.
For more information, please visit: www.microsoft.com/uk/bestofmmsuk2011
Your insight-rich agenda. | s3://commoncrawl/crawl-data/CC-MAIN-2020-05/segments/1579250594333.5/warc/CC-MAIN-20200119064802-20200119092802-00409.warc.gz | CC-MAIN-2020-05 | 1,540 | 10 |
https://www.equisys.com/Support/Technotes/prb-zetafax-client-upgrade-freezes-part-way-through-the-upgrade-process | code | PRB: Zetafax Client upgrade freezes part way through the upgrade process
This Zetafax technical note applies to:
- Zetafax 2012 Client upgrades to a later version, on Windows Server 2008 R2 and Windows Server 2012
When upgrading the Zetafax Client installed on a Windows Server 2008 R2 or Windows Server 2012 machine, the installer will freeze during the upgrade process.
On opening task manager, there will be an msiexec.exe process using 99% of a CPU core.
This is due to an issue with the previous version of Zetafax Client installer when it is being initialised for uninstallation. As some upgrade scenarios automatically remove older versions of Zetafax Client, users may face this issue.
The Zetafax Client will uninstall if the msiexec.exe process in the task manager is ended. To do this:
- Open task manager.
- Go to the processes tab.
- Select the msiexec.exe process that is taking 99% CPU.
- Click end task and click yes on the confirmation dialog.
This will allow the installer to reinitialise successfully, and thus successfully uninstall the Zetafax Client components and continue with the upgrade process.
This has been identified by Equisys as a problem with the software versions given above.
Last updated: 15th March 2013 (NT/MW)
Keywords: Windows 2008 R2 2012 upgrade freezing | s3://commoncrawl/crawl-data/CC-MAIN-2021-39/segments/1631780056572.96/warc/CC-MAIN-20210918184640-20210918214640-00231.warc.gz | CC-MAIN-2021-39 | 1,296 | 15 |
https://teamtreehouse.com/library/custom-views-2 | code | Custom Views9:04 with Ben Deitch
In this video we see what it takes to create custom Views with Anko!
We've got all the code we need and 0:00 we've got a pretty good understanding of how we're building up the layout. 0:02 So I say, it's time we start playing some solitaire. 0:05 The first thing we need to do is, implement GameView. 0:09 Right now, we've got our game presenter updating our game view but 0:12 we don't have any actual game views. 0:16 We've just got the interface. 0:18 To implement this interface at the top of main activity. 0:20 Add a comma after app compact activity and its parenthesis and then type game view. 0:24 Then lets use alt enter to implement the update method. 0:31 And I'd prefer it below on create, so I'm going to move it. 0:39 Now that we've got our game view, we need to tell our game presenter that it exists. 0:48 At the top of onCreate, below the call to a super. 0:53 let's add some space and 0:56 then call it GamePresenter.setGameView and pass and this. 0:58 Remember GamePresenter is a singleton. 1:06 So we don't need to create an instance of it, we can just use it. 1:08 Then on the next line, let's set up the game by calling GameModel, 1:12 .resetGame and now, we're ready to start playing. 1:19 Let's start with the deck. 1:23 Right now, it's just an imageView with a green card, and 1:25 when we tap on it, nothing happens. 1:29 But we'll fix that and rather than adding the on click listener here. 1:32 Let's instead, make a custom view for our deck. 1:36 Let's create a new class named DeckView. 1:40 And then, let's make this class extend ImageView. 1:49 Then, it tells us that this type has a constructor and 1:57 thus must be initialized here. 2:01 So, let's use Alt Enter to add the constructor and 2:05 then, we need to pass in a context. 2:09 Which means deck view needs to take in a context, so let's add parenthesis for 2:12 our DeckView and then, add a context parameter. 2:17 And finally, let's pass that context into ImageView constructor. 2:24 Nice. 2:31 Next, I'm going to get rid of that line minimize the imports and then, 2:32 head into DeckView. 2:37 Inside deck view, let's start by adding in an init block. 2:40 And inside this init block, let's set imageResource 2:46 = to R.drawable.cardback_green5. 2:51 And then, let's add the on click listener, onClick. 2:55 But before we get to the onClick listener, 3:02 let's stop repeating ourselves with these resource ids. 3:05 Over the main activity, 3:09 let's create a new package level variables to store the resources we need. 3:10 Let's add a couple of lines above the class and 3:15 then declare a new Var Named cardBackDrawable. 3:21 And set it = to R.drawable.cardback_green5 and on the next line. 3:28 Let's declare another new val named emptyPileDrawable and 3:35 set a=R.drawable.cardback_blue1, awesome. 3:41 Now, let's use these new properties instead of what we've been using. 3:47 An emptyPileDrawable will go here and here. 4:00 Then, we've just got to grab another cardback drawable. 4:06 And over in deck view, we'll use that instead of cardback green five. 4:09 Back inside our deck views on click listener, 4:15 since this will be a click on the deck. 4:18 We need to call on deck tap on our game presenter. 4:20 Normally, a game presenter object would be passed in as a parameter to our deck view. 4:24 But since our game presenter is a singleton, 4:29 we don't have much reason to do that here. 4:32 So, let's just call GamePresenter.onDeckTap and 4:35 call it a day other than the unit function. 4:40 We should also declare an update function to 4:43 update our DeckView to match what's going on with the model. 4:46 Let's start by declaring the function, fun update and then brackets. 4:49 Inside this function, 4:58 we need to either show the card back trouble if there are cards in the deck. 4:59 Or else we need to show the empty pile drawable. 5:04 Let's first create a new property named cards, And 5:07 set it equal to gameModel.deck.cardInDeck. 5:13 Then on the next line. 5:20 let's set image resource equal to. 5:22 If cards dot size is greater than zero 5:27 then we want this to be the card back drawble. 5:33 Otherwise, let's set it equal to the empty pile drawable. 5:38 Nice. 5:43 At this point we've completely finished our DeckView class. 5:45 So, let's get back to main activity and use it. 5:48 Let's delete the line that used to be our DeckView, And 5:52 instead, let's just type DeckView and 5:59 pass in the context. 6:04 Now, if we run the app again. 6:07 Our DeckView is completely missing. 6:11 Remember, all these other views end up eventually calling the anchor view 6:14 function. 6:18 And adding themselves to the way out. 6:19 All we did here was create a DeckView. 6:21 It hasn't been added to anything. 6:25 To fix this, we need our deck view to end up calling N.K.O. view. 6:27 So, let's head back toward our deck view and see what we can do. 6:32 To get this to end up calling N.K.O. view. 6:36 We're going to do the same thing that all the other N.K.O. views do. 6:38 Below our deck view class, let's add a couple of lines. 6:42 And then, create the deck view factory constant. 6:45 Then, let's set this constant equal to a lambda expression 6:52 that takes in a context, And returns a new DeckView. 6:58 Then on the next line, let's declare a new 7:11 extension function on ViewManager named deckView. 7:14 And import ViewManager and 7:21 in to this function, we're going to pass another function. 7:24 Which will call init and its type will be an extension function on dec 7:28 view which returns a unit. 7:34 Let's also give this a default value of an empty function, so 7:41 we don't always have to specify it. 7:45 Then, let's set this equal to and 7:48 I'm going to do this on the next line because I'm running out of room. 7:50 NKO view, pass in our deck view factory for the factory. 7:54 Pass in zero for the theme and pass our in our unit parameter as the unit parameter. 8:00 Back in main activity, let's get rid of our deck few instance and 8:08 instead call our new deck view extension function. 8:12 And since we don't have anything extra to add to the init function, 8:17 let's use the parentheses version instead of brackets. 8:20 Then let's add a call to l params And add our cardWidth, and our cardHeight. 8:25 Then let's run the app and hopefully, it'll still have a complete first row. 8:34 Awesome. 8:40 We've just created our first custom view and angle. 8:42 We were able to add it to our layout with only one line of code. 8:45 This is what Anko and Kotlin can do for us. 8:49 They simplify the code we need to write. 8:52 And make it feel a lot more like you're working on implementing features 8:54 that fighting with unnecessary boilerplate code. 8:57 And the next video will implement some of these features, 8:59 starting with the update function. 9:03
You need to sign up for Treehouse in order to download course files.Sign up | s3://commoncrawl/crawl-data/CC-MAIN-2020-40/segments/1600400202418.22/warc/CC-MAIN-20200929154729-20200929184729-00306.warc.gz | CC-MAIN-2020-40 | 6,934 | 4 |
https://community.atlassian.com/t5/Crowd-questions/Crowd-Rest-API-return-HTTP-404-Error/qaq-p/198748 | code | I try to script querying user info in Crowd with Rest API.
curl -k -u USERNAME:PASSWORD https://MYIP:MYPORT/crowd/rest/usermanagement/1/user?username=SOMEONE
It returned "HTTP Status 404" error
I could access Crowd console and find this user's info. I could also use Rest API with JIRA and Stash successfully.
I doubt if RESTful Service provided in Crowd. How can I check if the Crowd is installed with RESTful Service successfully? If so, is that possible the RESTful service is provided with different port number other than the Crowd console?
@Diego Berrueta, thanks for your answer!
I found the application name and password for Crowd in crowd.properties file, and replaced them with USERNAME and PASSWORD above. It still cannot get through.
But it return different "HTTP Status 403" error said:
type Status report
message Client with address "XX.XX.XX" is forbidden from making requests to the application, crowd.
description Access to the specified resource has been forbidden.
You need to whitelist the IP address of you client for that application. Please follow the instructions at https://confluence.atlassian.com/display/CROWD/Specifying+an+Application%27s+Address+or+Hostname | s3://commoncrawl/crawl-data/CC-MAIN-2022-40/segments/1664030337307.81/warc/CC-MAIN-20221002083954-20221002113954-00409.warc.gz | CC-MAIN-2022-40 | 1,187 | 12 |
https://ccrma.stanford.edu/mediawiki/index.php?title=SLOrk/Instruments/Permutations&oldid=7894 | code | by J3 (Jason Riggs, Jacob Shenker, and Jay Bhat)
- 1 Overview
- 2 Live Performances
- 3 How to Play
- 4 Score/Performance Ideas
- 5 Known Bugs
- 6 Whiteboard
- 7 Related Projects
This instrument works by displaying a GUI (shown at top of page) through which the slorker interacts with a score constructed of nested epicycles, producing pitches triggered in a server-synchronized or metrically-free manner. Extensive real-time controls affect the sound generated by the pitches.
May 9, 2009 - SLOrktastic Chamber Music I @ The CCRMA Stage
Code used: permutations1.zip
May 16, 2009 - SLOrktastic Chamber Music II @ The CCRMA Stage
Code used: permutations2.zip
How to Play
Grab the latest code (above, for the May 16th performance).
On the server machine, add the appropriate hostnames to line 11 in
scripts/server_main_loop.ck, then double-click
On each client, double-click
bin/permutations-osc, and add the shred in the miniAudicle window that appears.
The GUI displays a series of rows of boxes, each box corresponding to an relative interval. The blue LEDs indicate the current location of the beat in each of the rows. Depending on the keys one has pressed, the beat will either be advanced by the server, or will be advanced manually. A note is played every time the beat is advanced corresponding to the sum of the relative intervals with respect to middle C. Note that while the internal representation of the intervals are relative intervals in semitones (as integers, in the array
int rows), there are many display modes that will show effective notes (i.e., summing the intervals from middle C) and other information.
Sections are presets of row configurations. While rows can be different sizes, corresponding rows of each section must be the same size. Selecting a section and modifying it will change the section, such that re-selecting the section will not revert to the original configuration.
The various timbres control the mechanism for sound generation, and there are many keyboard and trackpad controls for modifying the sound.
Selecting timbre, envelopes, or sections is possible by holding down "t", "e", or "s", respectively, and pressing number keys "1"-"9", "0" to select the parameter values 1-10. Holding down shift when pressing a number key accesses the second bank, 11-20. (i.e., to select envelope 11, press shift+e+1)
With the stock configuration, the lowest-numbered envelopes are the shortest and most percussive, while envelopes 6-9 are pads of increasing length. One can add up to 20 different envelopes and sections by modifying the code (in
gui.ck, an array of ADSR vectors on lines 52-61, and the rows for each section on lines 85-90). Adding more timbres is also possible, but will remain undocumented for the time being (feel free to contact the authors for instructions). As configured currently, timbre 1 is a supersine, 2 is a supertriangle, 3 is a supersquare, and 4 is a supersaw oscillator bank. Timbres 5-11 are samples, listed on lines 127-136 in
The stock configuration has four sections, corresponding to the tonic, subdominant, dominant, and supertonic major triads of C major.
Additionally, holding down "t", "e", or "s" and pressing "[" or "]" will scroll though the available parameter values, wrapping around (i.e., if you are on timbre 0, pressing "[" will go to the highest-numbered timbre available).
Without holding down "t", "e", or "s", the number keys default to changing envelope, and "["/"]" default to changing timbre.
Holding down "i", "j", "k", or "l" while pressing up or down arrow keys modify attack, decay, sustain, and release parameters, respectively, for the ADSR envelope. Selecting an envelope (with number keys or "["/"]") clears the modifications one has made to it (e.g., if I press 2, I'll play with envelope 2, then if I hold down "i" and press down arrow twice, it'll play with my modified envelope. Pressing 2 again will reset the ADSR to the original envelope 2).
"<-" and "->" (arrow keys) change the register (in octaves). Holding down shift modifies the register (basenote) in semitones (100 cents), holding down apple does the same in quartertones (50 cents), and shift+apple does so by an eighth-tone (25 cents).
"-^" and "-v" (arrow keys) double and halve the tempo, respectively. Holding down shift does so by factors of 3, apple does so by factors of 5, and shift+apple does so by factors of 7. (i.e., to reach an 7:8 polyrhythm from a tempo of 8, press down arrow three times [reaching a tempo of 1] then press shift+apple+up once [to get a tempo of 7]). Note that in the current implementation, one should only have integer tempos (although this restriction is not enforced!); press "escape" to return to the nearest power of 2. Polyrhythm support and robust synchronization will be added in a future version.
With "." held down: X-axis: controls the cutoff frequency of a low-pass filter Y-axis: For the oscillator timbres (0-3), traversing the y-axis detunes the pitch slightly around its base frequency. For the sampled timbres (3-11), traversing the y-axis increases the resonance of the low-pass filter.
With "g" held down: X-axis: controls gain
With "r" held down: X-axis: controls mix of reverb
The GUI contains a grid of boxes with associated LEDs that display the current location of the beat. The beat will advance the top row. Every time the one row's location reaches the end and wraps back to the beginning, the row below it advances by one. As such, the score can be considered a series of nested epicycles. The note that is triggered for every advancing of the top row is the sum of all the active boxes (where "active" means they correspond to the current location of the beat, displayed by blue LEDs). By default, there are three rows, the top row with 5 boxes, the second with 5, and the third with 3.
Pitche display is in Lilypond notation, so
'gis would be the G-sharp an octave above middle C and
,,bes would be the B-flat one octave below middle C (note:
,bes is the note one semitone below
c). The default format is for the top and bottom rows to display their absolute pitches (i.e., the note that would be triggered if they were active their row were the "top" row, so the notes in the top row really do display exactly what pitch would be triggered when the beat lands on them), and the second row to show the relative interval, e.g., if the current note on the middle row was displayed as
P4, and the bottom note was
'd, the current note on the top row would be
'g (the D above middle C transposed up a fourth). This is all fully customizable by modifying the appropriate configuration parameters in
gui.ck (again, until this is documented, please contact the authors). Note that intervals are always treated as "up", so an
M3 down would be displayed as
,m6 (where the comma indicates an octave down, then a minor sixth up) and
P8 would be displayed as
Clicking on a box swaps the value in that square with the value in the square immediately to its right (it wraps, so clicking on the last box will swap with the first). Holding down shift transposes the note up by a semitone, and holding down apple transposes the note down by a semitone. Holding down option does the same by an octave, control does the same by a perfect fifth, and control+option does so by a major third. Holding shift+apple and clicking a note will turn it into a rest (indicated by "r"), shift+apple+clicking again will turn it back to the original note. Note that a rest placed on an active (i.e., has a blue LED) note in a lower row will silence all notes while it remains active.
"`" (tilde) or clicking "play" sets the GUI to trigger note events when the beat is advanced. " " (spacebar) momentarily enables playing while it is held down, and disables playing when it is released (note: with tilde enabled, pressing spacebar will continue playing, and releasing it will 'stop' playing). "m", when held down, prevents the server beat from advancing the local beat. "n" advances the beat manually. This is best used by holding down "m", then tapping "n" to play a rhythm. "b", when held down, waits for the next server beat, advances once, and prevents subsequent server beats from advancing the local beat. This is best used by holding down "m" and "b", and is useful for playing an isolated note or notes together, like a sting at the end of a piece (esp. at a slow tempo).
Code Modification (how to add new tone rows, sections, and more)
TODO: talk about adding tone rows, sections, etc. This should be better once we clean up the code... TODO: describe the various row_format values
For right now, please contact the authors for help with making changes to the code...
Jot down any ideas for a performance or its score here. Possible issues to consider:
1) The role of the conductor (which gestures? use a computer to spread information? control other players' sounds directly?)
2) The format of the score (gestures alone? hold up signs? server-based instructions sent to each player?)
3) Improvisation (to what extent should it be allowed? in what way(s)?)
4) Number of players (how many total? should they be split into sections? how many sections? should sections be fixed before the piece, or should we allow 'dynamic section allocation'? or both?)
List of Score/Performance Ideas
Conductor-controlled timbre w/ Server-based tone selection
A master server runs and controls the tonal evolution of the piece. As the piece transitions from one stage to the next, performers will see their GUIs transition from one set of permutations to another. The conductor can control parameters of the sound such as texture, density, etc., and performers are also left to improvise. The server can fade the piece away by itself when the score is over. Also, the conductor could be given high-level, real-time control over the messages that the server is sending out. The conductor could even have a midi controller and use it to send out permutations in a more spontaneous way. That could sound cool.
People should solo
Everyone not soloing is instructed to hold a certain texture, while the soloist improvises. In a large performance, this means that one computer should be up front and center, and soloists alternate by going up to the front laptop.
Priority 1 (Absolutely needs to be fixed asap):
Priority 2 (Would make the instrument run more smoothly/efficiently):
- We can make the instrument able to handle more of a payload by eliminating MAUI entirely and using command-line Chuck to run it. This means that we need to use a different GUI via OSC messages from the command-line version.
Priority 3 (Minor issues):
Priority 1 (Should be in there asap):
Priority 2 (Would definitely be nice):
Priority 3 (Might consider experimenting with):
- Timbre selection does not need to be discrete. We could experiment with a slider.
- It might be worth experimenting with a Joystick for the x/y-axis control of the filter/detuning. It would be set up so that the trigger on the joystick needs to be held in order for the detuning (y-axis) to have any effect, while the filter (x-axis) would always have effect. The little circle thingy at the base makes a good way to control master volume as well. The joystick might make more sense than the touchpad, but the con is that everyone who's playing needs a joystick. Maybe we could have it use the joystick if one is plugged in and otherwise default to the trackpad.
This permutations project was created out of a merging of three prior projects.
Jason's Supersaw project is located here: Supersaw
Jacob's Permutations code is located here: permutations_original.ck
Jay's Arpeggiator code is located here: arpeggiator.ck | s3://commoncrawl/crawl-data/CC-MAIN-2022-49/segments/1669446711360.27/warc/CC-MAIN-20221208183130-20221208213130-00068.warc.gz | CC-MAIN-2022-49 | 11,657 | 76 |
http://lxer.com/module/newswire/past/75040 | code | LinuxQuestions.org is proud to announce a new addition to its network of sites - LQ Bookmarks. LQ Bookmarks allows you to bookmark, tag, annotate and share links to Open Source and Linux related sites. It also allows you to access your bookmarks from any browser on any machine. The ability to share and see what others are sharing is called social bookmarking. You can view links in the order they were added, by tag, by user or by popularity. RSS feeds are available for all queries. All content on the site is available under a Creative Commons license.
The Plextor ConvertX, even at an early stage in its Linux support cycle, is a legitimate alternative to the Hauppage video capture cards that so many Linux users are using these days. Last March, Plextor announced the availability of a Linux software development kit for two of their personal video recorders: the ConvertX PVR model PX-TV402U and the ConvertX PX-M402U. I chose to evaluate the ConvertX PVR-PX-TV402U product because I wanted to find a suitable piece of hardware to use in a system that functions as a personal video recorder.
Aside from obvious some obvious business benefits, some government regulations require FIM.
Though it still opposes open-source products and licensing, Microsoft is begrudgingly adopting similar practices to appeal to its corporate customers.
LimeWire, the popular cross-platform P2P client for the Gnutella network, has been growing in popularity thanks to its promise that it contains no adware or spyware -- a fact anyone can verify because the application's source code is open.
Is Microsoft toning down its aggressive anti-Linux campaign, or is the software giant realizing that playing nice can have the same effect? While the answer is unclear, Microsoft Corp. surprised many of the attendees at its annual worldwide partner show here this weekend by allowing a third party to present a "hands-on lab" that allowed attendees to play with a range of Linux desktop software.
PC programs, including Web browsers and Weblogging tools, are drawing the attention of computer users beyond the technically adept devotees of Linux and other open source projects. With an emerging crop of programs, you can have open-source software up and running on your Macintosh or Windows computer within minutes, and you don't need a degree in computer science.
IBM Workplace Managed Client Developer Toolkit is based on the Eclipse architecture and is compatible with Linux.
There are several days during this coming week that I will not be available to post stories. So, either LXer will sit idle those days, or else someone else will step up to the plate and give it a try. Preferably 2 or 3 people will come forward. Email at [email protected] if you're interested.
The founders of the popular Debian variant, working with Canonical, have established an organization to support the distribution.
The new Levanta Intrepid M acts as hub for provisioning Linux servers without the need to load the operating system or applications directly onto each new server.
Fujitsu Limited and Novell today announced an agreement to deliver new Linux technology and support to their customers. As part of the agreement, Fujitsu will offer support services for Novell's SUSE LINUX Enterprise Server, which will soon be available worldwide on Fujitsu mission-critical PRIMEQUEST and PRIMERGY servers. As a result, customers gain a powerful new Linux solution for their high-performance server needs, backed by two of the leading vendors in the Linux market.
X86 is no longer the top architecture for embedded Linux devices, according to LinuxDevices.com's
The company seems to be even more determined to support the open source community, and it has announced yesterday that it will donate $5 million in a 2 year program in which the students will get e-business diplomas. With these, they will be able to apply for jobs, such as: web developers, software developers, consultants in e-business problems or business application developers.
Mark Mitchell announced the availability of GCC 4.0.1, officially released on July 7'th[sic].
A critical flaw in a compression format widely used in Linux and Unix can give hackers a way into machines, security experts say.
The question at hand is not whether Red Hat's version of Linux is superior to that of its competitors. The marketplace will make that determination and we can keep score via Red Hat's financial performance each quarter. However, suppose you want to do more than just keep score. Suppose you want to be proactive and tackle the question...should you invest in Red Hat, given its current share price, most recent performance, and projections going forward?
Below is the press release sent off to the wires announcing the creation of a new foundation by Mark Shuttleworth and Canonical to help support Ubuntu and employ core Ubuntu developers over the long term and to help distinguish the commercial support and certification programs of Canonical from the truly community-based nature of much of Ubuntu's work.
Linuxlookup.com is report a story on sources close to Mandriva, Progeny and Turbolinux say the trio of companies will be announcing a new enterprise Linux distribution based on Debian Linux at the LinuxWorld event in San Francisco in August. This new enterprise distribution, which may include other companies as well, will be built on the foundation of the Debian 3.1 "Sarge" Linux distribution.
Students who participate in the two-year programs will earn certificates in e-business, which will qualify them to get jobs as Web developers, software developers, e-business solution advisers and business application developers. | s3://commoncrawl/crawl-data/CC-MAIN-2014-10/segments/1394021900438/warc/CC-MAIN-20140305121820-00079-ip-10-183-142-35.ec2.internal.warc.gz | CC-MAIN-2014-10 | 5,672 | 20 |
https://winaero.com/firefox-52-npapi-plugins-support-disabled/ | code | A new stable version of the popular Firefox browser was released today. This is the first version of the browser which has support for classic NPAPI plugins disabled. Let's see what else has changed.
In Firefox 52, the only NPAPI plugin which remains working out-of-the-box is Adobe Flash. Plugins like Silverlight, Java, Unity (a framework for games) and Linux's Gnome Shell plugin will stop working.
Mozilla has made an exception only for Adobe Flash. Lots of web sites still rely on Adobe's Flash Player technology, so they decided to keep it. If these web sites stop working in Firefox, this can cause Firefox users to switch to another browser.
In Firefox 52, the user can turn on NPAPI plugin support using about:config.
Here is how it can be done.
- Open a new tab in Firefox and enter the following text in the address bar:
- Create a new boolean option and name it plugin.load_flash_only.
- Set the plugin.load_flash_only option to false.
- Restart Firefox.
Note: With Firefox 53, the ability to restore NPAPI plugin support will be removed completely.
Besides the NPAPI plugin support being disabled by default, the key changes in Firefox 52 are as follows.
- The multi-process feature is available in Windows versions of Firefox installed on devices with touch screens.
- The ability to send opened tabs from one device to another via the built-in Sync feature is added.
- The Battery Status APIs were removed for privacy reasons. These APIs can be used to track the user.
- Firefox 52 now comes with support for WebAssembly.
- When opening a page with a password prompt using the plain HTTP protocol, Firefox shows a special warning that the connection is not secure and that your login data can be compromised.
Also, Firefox 52 is ESR (extended support release). Windows XP and Windows Vista users will be moved to this ESR version from the stable branch automatically, because the next version, Firefox 53, won't support the mentioned operating systems any more.
Winaero greatly relies on your support. You can help the site keep bringing you interesting and useful content and software by using these options:
If you like this article, please share it using the buttons below. It won't take a lot from you, but it will help us grow. Thanks for your support! | s3://commoncrawl/crawl-data/CC-MAIN-2023-40/segments/1695233510730.6/warc/CC-MAIN-20230930213821-20231001003821-00166.warc.gz | CC-MAIN-2023-40 | 2,272 | 19 |
https://forums.creativecow.net/docs/forums/post.php?forumid=346&postid=2605&univpostid=2605&pview=t | code | I've got a dilemma. I wanted to flip the screen, as in a guy I interviewed is looking to the right of the camera, and I want him looking left. There is nothing written anywhere or anything that will appear obvious if switched, so i know i can get away with it. But I can't seem to find an effect in the Media 100 that will let me do it. I'm pretty sure it's version 4.5. Any help is greatly appreciated. | s3://commoncrawl/crawl-data/CC-MAIN-2019-04/segments/1547583660139.37/warc/CC-MAIN-20190118131222-20190118153222-00482.warc.gz | CC-MAIN-2019-04 | 403 | 1 |
https://www.upshottechnologies.in/why-big-data-hadoop-is-a-promising-career-option/36/aws/ | code | Peter Sondergaard of Gartner Research says that Information is the oil of the 21st century, and analytics is the combustion engine. Because like the oil and combustion engine of the 20th century, Information and analytics are responsible for great changes and improvements all around. With the passing of each year, the amount of data being created every day is increasing tremendously and the traditional analytics techniques are unable to keep-up. That is why new techniques like Big Data and Hadoop were invented.
Hadoop is one of the most effective frameworks to handle Big Data or a massive amount of data and computation. It is an open source framework developed by Apache Software Foundation (ASF). It was inspired from papers on “Google File System” and Google’s “MapReduce” algorithm. ASF initially started the development under Apache Nutch but eventually, Hadoop becomes a separate project. It uses distributed and parallel computing to perform all its tasks successfully. The core system of Hadoop includes HDFS (Hadoop Distributed File System), a storage component and MapReduce, a processing component. HDFS allows high data transfer rate and thus enabling faster and efficient processing. Hadoop framework has many additional software packages like Apache Pig, Apache Hive etc.
In the last few years, Hadoop had grown very much and today, companies from all over the world are using it to improve their business. But that is not enough to name Hadoop as a promising career option because many other latest technologies like virtualization, cloud, and AI are also being used by companies all over the world. So, we will explain the main reasons why Hadoop is a promising career option.
Reason 1: High Growth Rate
According to the Global Hadoop Big Data Analytics Market report (2018 – 2023), the hadoop big data analytics market is expected to grow at an annual growth rate (CAGR) of over 40%, during the forecast period (2018 – 2023) (request a sample here). With more than 40% growth, Hadoop can easily outshine all other data-related technologies and become the dominant player in 2023. This growth will also increase the job opportunities in the Hadoop domain by more than 40%. Also, professionals currently working in the Hadoop domain will have good career growth in the upcoming years.
Reason 2: Huge Demand
In the last 5 years, numerous companies have adopted Hadoop in their processes to handle data and get valuable insights. This adoption has created abundant job opportunities all over the world but there are not enough suitable candidates available to fill all those opportunities. The gap between the available opportunities and the available candidates is still large and thus leaving a greater chance for professionals to have a great career in the Hadoop now if they start learning Hadoop immediately.
Reason 3: Better Salary
Hadoop professionals enjoy better salary than most of the software professionals. The reason for this difference is the importance of Hadoop in the output of the business. Learning Hadoop can increase the salary of most of the software professionals. For example, comparing the salary reports of a Software Engineer profession with and without Hadoop skills from Payscale website, we can clearly see that learning Hadoop can increase atleast 25% of the basic salary and it also increases the additional benefits like profit sharing and bonus. This will point out that learning Hadoop is a promising and profitable career option right now.
Reason 4: Diverse opportunities
Hadoop offers a wide range of roles and job opportunities such as Hadoop Administrator, Hadoop Developer, Data Scientists, Research Analysts, and Business Analysts etc. And only Hadoop is the common requirement for all these roles (i.e.) people with different technical backgrounds can also become a Hadoop professional. This diversity helps a lot of professionals to get a job in the Hadoop domain as soon as they learn Hadoop. Therefore, we can easily understand that Hadoop will provide a better career for most of the software professionals regardless of their technical backgrounds.
Reason 5: Easily Adaptable
Hadoop framework supports many programming languages and so software programmers with experience in any programming language can become a Hadoop professional. For example, software programmers with experience in Java and Python can write Hadoop jobs directly and software programmers with experience in scripting languages can choose Apache Pig to write Hadoop jobs and software programmers with experience in SQL can choose Apache Hive to write data queries and perform the analysis. These different options will provide a valuable choice for the software programmers to work in the comfortable environment even after moving to Hadoop domain. So, learning Hadoop is a good career choice for programmers from various domains.
We can list numerous reasons to support naming Hadoop as a promising career option but we feel that the top 5 that are explained briefly above are enough to make you understand that Hadoop is a promising career option. However, choosing the best Hadoop training institute is more important for a better career and immediate job placement. So, always look out for Upshot technologies’ Hadoop training if you ever think about learning Hadoop.
Tag:best big data hadoop training in bangalore, best big data hadoop training in BTM, best big data hadoop training in Marathahalli, best training institute for hadoop in bangalore, best training institute for hadoop in BTM, best training institute for hadoop in Marathahalli, hadoop and big data courses in bangalore, hadoop and big data courses in BTM, hadoop and big data courses in Marathahalli | s3://commoncrawl/crawl-data/CC-MAIN-2020-10/segments/1581875144498.68/warc/CC-MAIN-20200220005045-20200220035045-00120.warc.gz | CC-MAIN-2020-10 | 5,725 | 15 |
https://www.cynnabar.org/recipients/12 | code | Alexander Drache (modernly known as Alexander Vorhees)
|Award Name||Date Received|
|Award of the Elephants Heart||2011-03-19||Details|
|Award of Arms||2011-06-18||Details|
|Order of the Cavendish Knot||2012-03-14||Details|
|Order of the Bronze Ring||2012-08-10||Details|
|Order of the Royal Vanguard||2012-09-29||Details|
For updates and corrections, please e-mail [email protected]. Include your SCA name, modern name, awards to add, and date received. | s3://commoncrawl/crawl-data/CC-MAIN-2023-50/segments/1700679100739.50/warc/CC-MAIN-20231208081124-20231208111124-00364.warc.gz | CC-MAIN-2023-50 | 466 | 8 |
https://forums.comodo.com/t/google-drm-and-sandboxed-browser-or-virtual-desktop/317065 | code | I wish to view a program on the ITVHub here in the UK. I noticed from the ITVHub website
that to watch a program Google Widevine DRM is installed on the pc.
Since I do all that I possibly can to keep any form of DRM off my pc, as well as anything
Google I though about accessing the program through either Virtual Desktop or by running
the browser in the sandbox.
If I did either of the above, then would the DRM be removed after I close the sandboxed browser or
Virtual Desktop ?
From what I have seen, I believe that this may be the case, but would like confirmation or
not before I try it.
No you would need to run the reset containment task.
Thank you for your reply.
I thought that resetting the container would do the trick, thanks for confirming it. | s3://commoncrawl/crawl-data/CC-MAIN-2023-40/segments/1695233510481.79/warc/CC-MAIN-20230929022639-20230929052639-00623.warc.gz | CC-MAIN-2023-40 | 756 | 12 |
http://www.tefl.net/forums/viewtopic.php?f=5&t=462&p=838 | code | Wandered if any of you kind folk would help me out here, I'm just polishing off my TEFL course and I'm looking to start up my CELTA in the new year before I go on to get any professional TEFL experience and I have so say I'm rather enjoying it, however I have hit a small snag here with regards to conditionals
I think I have largely grasped the difference and requirements for the first, second and third conditions (real/likely, hypothetical, impossible) but the phrase below has me outdone me for the moment, the textbook I am using claims that in this instance this conditional works outside of the standard rules of first, second and third but I can't figure out why:
"If you finish before time, hand your papers in and go"
...as far as I can make out it's of the First conditional, as it's a likely reality using no past participles. Have I gotten the wrong end of the metaphorical stick? | s3://commoncrawl/crawl-data/CC-MAIN-2017-26/segments/1498128320539.37/warc/CC-MAIN-20170625152316-20170625172316-00322.warc.gz | CC-MAIN-2017-26 | 894 | 4 |
https://forums.adobe.com/thread/396240 | code | > I have a shot of an actor running at the the camera. I have a
> key explosion and I want to put it behind him.
First of all, rotoscoping (drawing a mask path around the actor on each frame) is going to be tremendously tedious. Is it possible to reshoot with a green screen (or blue screen)? The time to reshoot can easily be less than the time to rotoscope a shot.
But, if you do need to rotoscope, you just need to animate the mask's path from one frame to the next. You animate mask paths in much the same way that you animate other properties: set keyframes for the Mask Path property, set paths at each keyframe, and After Effects will interpolate between these specified values.
Actually, it's usually easiest to have a separate mask for each major part of the subject that you're trying to isolate. Scott Squires has some great videos showing how to do this. They're linked to from the "Editing and animating shape paths and masks" section of After Effects Help.
Just fyi, but you can also go to lynda.com and get tutorials on this subject. :) if you do net searches (provided adobe doesn't already have this in it's base, or even it's video tutorials which are very good) you will find many things on this subject. If Adobe is exhausted as a resource, then you can use http://youtube.com and look up after effects and masking techniques as well-an excellent resource at times.
Hopefully this will help:
after effects videos
[This post was edited by a forum host to remove a link to a website not apparently relevant to After Effects or any peripherally related technology, tools, or techniques. Please do not use this forum to link to websites not relevant to After Effects. It's OK to link to websites relevant to the topic of the forum, but this forum shouldn't be used for off-topic promotions.]
Roto-ing live footage in AE is a pain. If the shot isn't that long you may be better off loading a copy of the footage in photoshop and make a version using ps tools where everything except the actor is erased, then drop that on top of the explosion and your plate. | s3://commoncrawl/crawl-data/CC-MAIN-2018-05/segments/1516084888113.39/warc/CC-MAIN-20180119184632-20180119204632-00106.warc.gz | CC-MAIN-2018-05 | 2,073 | 10 |
http://www.cs.cmu.edu/~rickr/ | code | I am sedated
I Am A Home Page
Grad student @ CMU, but here's what I used to do before that...
Programming and Research work for the Imaging Systems Lab, Robotics Department, Carnegie Mellon University.
Past projects: Optical Chinese and Hangul (Korean) Character recognition, Graphical Image Analysis, plus other small things, (including getting a real home page together)
- Name: Rick Romero
- Phone: 412-268-2580 (CMU-CLU0)
- Phone: 412-268-6414
- Email: [email protected]
- Favorite Drugs: nicotine and caffeine
- Goal in Life: To one day have no goals
Some Source code
If it is illegal to operate a Ponzi scheme, can we force the government via
lawsuit to operate Social Security as a true trust fund, and not just another
pyramid scheme? Better yet, can we force Congress through the courts to
operate on a perpetual balanced budget? Worth looking into, seeing as how
the balanced budget amendment looks like it will never pass.
Isn't it about time this country elected a president who was a leader?
- Splay tree code:
This is an implementation of Tarjan and Sleator's splay tree
algorithm, a self-adjusting binary search tree. I'm working on docs
but the code is pretty easy to use. It should compile with just about
any ANSI C compiler. Amortized log(n) performance.
- Rectangle Access Trees:
This is an implementation of a suite of routines for dealing with rectangles
in a 2D plane. Why rectangles? Well, it's nice if you are doing image
manipulation, it is a natural way of representing image blobs or regions,
and that's the one I managed to find a nice algorithm for. The problem
was that I needed dynamic insertion and deletion in O(log(n)) time, plus
I wanted to do range queries in sub-linear time. (Well, in the worst
case it's obviously not possible, since a range query can return everything
in your tree, but the time spent limiting the search is sub-linear.) For
a description of the algorithm, check out the paper. This one
actually has some man pages and other misc. documentation.
This set of software includes the Splay tree code above, and makes heavy
use of it.
- Combinatorial graphs code: Some code that
embeds graphs into the combinatorial form. I did this for an algorithms class,
so it may or may not be useful to you. Allows you to get the genus of a graph,
and compute the connected components.
Back door to CMU
CIA Server Cause you never know when you might need a spy... | s3://commoncrawl/crawl-data/CC-MAIN-2024-10/segments/1707947473690.28/warc/CC-MAIN-20240222030017-20240222060017-00124.warc.gz | CC-MAIN-2024-10 | 2,405 | 42 |
http://husk.org/blog/arch/yapcna_baby.html | code | Oh dear, I really am turning into Leon.
I was thinking of doing entries about the conference both here and on use.perl but I think I've decided that I'll only post things there. So far I've managed one entry but I'm sure there'll be more later.
In it I touch on the problems I had finding a heart to St Louis. It seems Simon Cozens had similar problems on Sunday. | s3://commoncrawl/crawl-data/CC-MAIN-2013-48/segments/1386163047545/warc/CC-MAIN-20131204131727-00005-ip-10-33-133-15.ec2.internal.warc.gz | CC-MAIN-2013-48 | 363 | 3 |
http://forums.devshed.com/game-development/847129-quiz-game-last-post.html | code | September 8th, 2011, 04:25 PM
First Quiz Game
Ive been thinking about developing a game for a while and wanted to get some guidance. I come from a 3d art background and although I do understand some programming basics I think ill have to start somewhere simple hence my simple game idea:
Well its more of an interactive quiz but I want to get experience in the whole development process. I want to develop a game where players are asked questions and they have to pick from a couple of answers...kinda like "who wants to be a millionaire". Maybe have an image for them to answer a question about and have some clues displayed on screen for help.
This may seem like a really simple idea but its more of a learning exercise that I can manage without having done any serious programming before. I would also like to gain experience in the process of hosting this on a website and allowing people to download.
So what programming languages should I look at to develop this, I have done some basic c in the past but if you were to advice someone who really wants to learn the business and wanted to start on a simple project what would you advice? Any recommendations on books to read and where to start?
well i hope this gets the ball rolling and i appreciate the help. | s3://commoncrawl/crawl-data/CC-MAIN-2017-17/segments/1492917119782.43/warc/CC-MAIN-20170423031159-00404-ip-10-145-167-34.ec2.internal.warc.gz | CC-MAIN-2017-17 | 1,265 | 7 |
http://us.battle.net/wow/en/forum/topic/2674529777?page=7 | code | Good lord, you guys are all spazzing out about how horrible an idea this is.
Do you really think it'll not be optional?
Chill and be rational. If you don't like it, don't use it.
It's a good idea, and I'd personally use it, but obviously it'd have to be a choice.
The system is already in place. There is no opt-out. | s3://commoncrawl/crawl-data/CC-MAIN-2016-30/segments/1469257823133.4/warc/CC-MAIN-20160723071023-00036-ip-10-185-27-174.ec2.internal.warc.gz | CC-MAIN-2016-30 | 316 | 5 |
https://www.mlscopywriter.com/whats-new/new-york-attorney-general-sues-trump-organization/ | code | New York Attorney General Letitia James is suing the Trump Organization for $250 million over its business practices. James claims the company manipulated its property valuations for years in an effort to game the system. CBS News investigative reporter Graham Kates and CBS News legal contributor Jessica Levinson discussed the significance of the suit, and CBS News congressional correspondent Scott MacFarlane explained the impact it could have on the company moving forward.
CBS News Streaming Network is the premier 24/7 anchored streaming news service from CBS News and Stations, available free to everyone with access to the Internet. The CBS News Streaming Network is your destination for breaking news, live events and original reporting locally, nationally and around the globe. Launched in November 2014 as CBSN, the CBS News Streaming Network is available live in 91 countries and on 30 digital platforms and apps, as well as on CBSNews.com and Paramount+.
Subscribe to the CBS News YouTube channel: https://youtube.com/cbsnews
Watch CBS News: https://cbsn.ws/1PlLpZ7c
Download the CBS News app: https://cbsn.ws/1Xb1WC8
Follow CBS News on Instagram: https://www.instagram.com/cbsnews/
Like CBS News on Facebook: https://facebook.com/cbsnews
Follow CBS News on Twitter: https://twitter.com/cbsnews
Subscribe to our newsletters: https://cbsn.ws/1RqHw7T
Try Paramount+ free: https://bit.ly/2OiW1kZ
For video licensing inquiries, contact: [email protected] | s3://commoncrawl/crawl-data/CC-MAIN-2024-18/segments/1712296816734.69/warc/CC-MAIN-20240413114018-20240413144018-00099.warc.gz | CC-MAIN-2024-18 | 1,477 | 11 |
https://serverfault.com/questions/760672/traffic-control | code | Good day! I am using Traffic control on ubuntu 14.04 for shaping bandwidth for rate 5Mbit/sec. After some time I would like to change the rate.
As fas as I understand I can do that with "change" command. However I am not sure how it is implemented. Since I am using TBF there are some tokens in a bucket of the buffer. If I change the rate what will be with the buffer? Does it store the tokens from the previous shaping or there will be no tokens at all right after change? Here are some example of usage:
tc qdisc add dev eth0 root tbf rate 5Mbit latency 30ms buffer 1540
tc qdisc change dev eth0 root tbf rate 8Mbit latency 30ms buffer 1540
To my mind it may be essential if the delay between changes is small. Or I am wrong?
Thank you in advance | s3://commoncrawl/crawl-data/CC-MAIN-2019-22/segments/1558232255182.37/warc/CC-MAIN-20190519221616-20190520003616-00301.warc.gz | CC-MAIN-2019-22 | 749 | 6 |
https://forum.mikrotik.com/search.php?author_id=46746&sr=posts | code | +1 from my side as well.
Just implemented two GSP's, and not having this as a basic feature is actually ridiculous.
/system reset-configuration no-defaults=yes/system reset-configuration if memory serves me right.
+1I would like to see Mikrotik Gigabit Switches / Daughter Boards 16 / 24 /48 port - preferably stackable .
I keep holding out for the wireless version, now I guess I will have to wait longer for the LCD oneYes table is still true, no plans for model with wireless and no SFP
+1+1any chance to make a version with poe out on both gigabit and 100mbps ports? | s3://commoncrawl/crawl-data/CC-MAIN-2021-10/segments/1614178357935.29/warc/CC-MAIN-20210226175238-20210226205238-00010.warc.gz | CC-MAIN-2021-10 | 570 | 6 |
http://www.pressmart.com/customerbuzz/drl.html | code | In today's corporate environment, companies are changing the way they do business. Taking old habits and a way-things-have-always-been-done mentality and turning it on its head has created new clients for Pressmart. Dr. Reddy's is a good example of how thinking digital can reduce the costs and waste associated with traditional printing.
A leading global pharmaceutical supply company, Dr. Reddy's re-examined their business model, looking for ways to reduce printing costs and leave less of a carbon footprint. They found answers at Pressmart.
By converting their annual report into digital edition flash and PDF formats, the company was able to cut costs and eliminate paper waste. The move helped to further strengthen their commitment to a green economy while drawing praise from their chief shareholders.Next
Take a demo, get a quote or just ask for more information
Pressmart ePortal provides Avantoure with the revenue generating platform we have been lacking....Sarafima Bogomolova, Publisher at Avantoure Magzine, UK more
Changing the way knowledge is transferred to young pupils, Pressmart drives the digital revolution in education.read more
Mobile publishing has emerged as the most powerful platform out there, more powerful than even the web.read more
Simply allow the tablet and iPhone users to view your publication on their devices in same-as-print format.read more
Publish your newspaper and magazine online and top it up with rich media (audio, video and animation)read more
Building and launching world class, feature rich, Web 2.0 news portal is no longer a tedious job.read more | s3://commoncrawl/crawl-data/CC-MAIN-2014-10/segments/1394010567051/warc/CC-MAIN-20140305090927-00014-ip-10-183-142-35.ec2.internal.warc.gz | CC-MAIN-2014-10 | 1,601 | 10 |
http://openstack.sys-con.com/node/3127301 | code | |By Business Wire||
|July 24, 2014 09:03 AM EDT||
Intigua™, the first company to enable software-defined operations using advanced container technology, today announced it has closed a $10 million Series B round led by new investor Intel Capital. Existing investors Bessemer Venture Partners and Cedar Fund also participated in the round, which brings the total invested capital to $21 million. Intigua will use the new monies to fund global sales, marketing and development of the Intigua Virtual Management platform, and accelerate its ability to execute on its software-defined operations vision.
This round follows a series of achievements for Intigua, including the coveted “Best of VMworld” award and a record 1H 2014 highlighted by the addition of several strategic customers, including a Fortune 500 technology company, one of the ten largest global banks, and the world’s largest IT systems integrator. Enterprises like these are turning to Intigua to accelerate workload delivery, improve application uptime and performance, and boost operational efficiencies across increasingly complex environments. By enabling software-defined operations, a concept Intigua coined to denote the ability to deliver systems management as a service at cloud scale, the company is ushering in a new era of IT operations.
"Intigua's automation and orchestration capabilities for software-defined operations help businesses transition to private cloud environments," said Arvind Sodhani, President of Intel Capital and Executive Vice President of Intel Corporation. "This investment supports the industry trend toward software-defined infrastructure, enables a whole new level of agility for customers to maximize value, and supports Intel's innovation strategy."
Director Andy Fligel led the investment for Intel Capital.
“Intel Capital is world-renowned for investing in innovative companies that profoundly impact how businesses operate,” said Shimon Hason, CEO of Intigua. “We’re thrilled to play a role in helping Intel realize its vision of an end-to-end software-defined infrastructure by providing the virtualized management component. Intel Capital’s investment, along with continued support from Bessemer and Cedar, validate both the importance of this overlooked aspect of the software-defined movement and Intigua’s approach to enabling software-defined operations.”
The Intigua Virtual Management Platform automatically discovers new and existing workloads across physical, virtual and public/private cloud environments. Using the Intigua policy engine, the right management tools are configured, delivered and monitored based on the needs of the workload. Designed to be vendor-, cloud- and hypervisor-agnostic, Intigua leverages advanced container technology to provides users with unified abstraction, enabling them to easily consume and deliver management as a service. The platform supports a wide range of tools across performance monitoring, backup, security, logging, configuration management and more, from vendors including Amazon, BMC, CA, Chef, EMC, HP, IBM, Microsoft, Puppet, Splunk, VMware, as well as OpenStack.
About Intel Capital
Intel Capital, Intel's global investment and M&A organization, makes equity investments in innovative technology start-ups and companies worldwide. Intel Capital invests in a broad range of companies offering hardware, software, and services targeting enterprise, mobility, consumer Internet, digital media and semiconductor manufacturing. Since 1991, Intel Capital has invested more than US$11 billion in over 1,370 companies in 55 countries. In that timeframe, 207 portfolio companies have gone public on various exchanges around the world and 354 were acquired or participated in a merger. In 2013, Intel Capital invested US$333 million in 146 investments with approximately 49 percent of funds invested outside North America. For more information on Intel Capital and its differentiated advantages, visit www.intelcapital.com or follow @Intelcapital.
About Bessemer Venture Partners
With $4 billion under active management, Bessemer Venture Partners (BVP) is a global venture capital firm with offices in Silicon Valley, Cambridge, Mass., New York, Mumbai, Bangalore and Herzliya, Israel. BVP delivers a broad platform in venture capital spanning industries, geographies, and stages of company growth. From Staples to Skype, VeriSign to Yelp, LinkedIn to Pinterest, BVP has helped incubate and support companies that have anchored significant shifts in the economy. More than 100 BVP-funded companies have gone public on exchanges in North America, Europe, and Asia. See www.bvp.com or follow BVP on Twitter @bessemervp.
About Cedar Fund
Cedar Fund is an international venture capital firm with offices in Israel and Boston that invests in high technology Israel-related companies. With its investment track record and over $325 million under management, Cedar Fund is among the most notable and active venture firms focusing on Israel-related investments. Cedar Fund invests in outstanding entrepreneurs pursuing high growth markets with distinguished technologies in enterprise software, Internet, mobile, digital media, CleanTech, networking and telecommunications. Cedar invests in all stages, having successfully pioneered Pre-Seed® investing in Israel (with companies such as BigBand and Onaro). www.cedarfund.com
Winner of “Best of VMworld” awards for 2 years running, Intigua pioneered software-defined operations—where systems management is delivered as a service. Using the company’s advanced container and policy-based technologies, the Intigua Virtual Management Platform brings unparalleled simplicity and agility to IT operations for private and public clouds, and virtual and physical data centers. Intigua is backed by leading investors including Bessemer Venture Partners, Cedar Fund and Intel Capital. Learn more at www.intigua.com.
SYS-CON Media announced today that @WebRTCSummit Blog, the largest WebRTC resource in the world, has been launched. @WebRTCSummit Blog offers top articles, news stories, and blog posts from the world's well-known experts and guarantees better exposure for its authors than any other publication. @WebRTCSummit Blog can be bookmarked ▸ Here @WebRTCSummit conference site can be bookmarked ▸ Here
Mar. 28, 2015 08:00 PM EDT Reads: 1,715
SYS-CON Events announced today that Cisco, the worldwide leader in IT that transforms how people connect, communicate and collaborate, has been named “Gold Sponsor” of SYS-CON's 16th International Cloud Expo®, which will take place on June 9-11, 2015, at the Javits Center in New York City, NY. Cisco makes amazing things happen by connecting the unconnected. Cisco has shaped the future of the Internet by becoming the worldwide leader in transforming how people connect, communicate and collaborate. Cisco and our partners are building the platform for the Internet of Everything by connecting the...
Mar. 28, 2015 07:00 PM EDT Reads: 5,154
Temasys has announced senior management additions to its team. Joining are David Holloway as Vice President of Commercial and Nadine Yap as Vice President of Product. Over the past 12 months Temasys has doubled in size as it adds new customers and expands the development of its Skylink platform. Skylink leads the charge to move WebRTC, traditionally seen as a desktop, browser based technology, to become a ubiquitous web communications technology on web and mobile, as well as Internet of Things compatible devices.
Mar. 28, 2015 06:00 PM EDT Reads: 1,770
SYS-CON Events announced today that robomq.io will exhibit at SYS-CON's @ThingsExpo, which will take place on June 9-11, 2015, at the Javits Center in New York City, NY. robomq.io is an interoperable and composable platform that connects any device to any application. It helps systems integrators and the solution providers build new and innovative products and service for industries requiring monitoring or intelligence from devices and sensors.
Mar. 28, 2015 06:00 PM EDT Reads: 1,399
Wearable technology was dominant at this year’s International Consumer Electronics Show (CES) , and MWC was no exception to this trend. New versions of favorites, such as the Samsung Gear (three new products were released: the Gear 2, the Gear 2 Neo and the Gear Fit), shared the limelight with new wearables like Pebble Time Steel (the new premium version of the company’s previously released smartwatch) and the LG Watch Urbane. The most dramatic difference at MWC was an emphasis on presenting wearables as fashion accessories and moving away from the original clunky technology associated with t...
Mar. 28, 2015 06:00 PM EDT Reads: 1,275
Docker is an excellent platform for organizations interested in running microservices. It offers portability and consistency between development and production environments, quick provisioning times, and a simple way to isolate services. In his session at DevOps Summit at 16th Cloud Expo, Shannon Williams, co-founder of Rancher Labs, will walk through these and other benefits of using Docker to run microservices, and provide an overview of RancherOS, a minimalist distribution of Linux designed expressly to run Docker. He will also discuss Rancher, an orchestration and service discovery platf...
Mar. 28, 2015 04:15 PM EDT Reads: 2,398
SYS-CON Events announced today that Akana, formerly SOA Software, has been named “Bronze Sponsor” of SYS-CON's 16th International Cloud Expo® New York, which will take place June 9-11, 2015, at the Javits Center in New York City, NY. Akana’s comprehensive suite of API Management, API Security, Integrated SOA Governance, and Cloud Integration solutions helps businesses accelerate digital transformation by securely extending their reach across multiple channels – mobile, cloud and Internet of Things. Akana enables enterprises to share data as APIs, connect and integrate applications, drive part...
Mar. 28, 2015 04:15 PM EDT Reads: 1,471
SYS-CON Events announced today that Vitria Technology, Inc. will exhibit at SYS-CON’s @ThingsExpo, which will take place on June 9-11, 2015, at the Javits Center in New York City, NY. Vitria will showcase the company’s new IoT Analytics Platform through live demonstrations at booth #330. Vitria’s IoT Analytics Platform, fully integrated and powered by an operational intelligence engine, enables customers to rapidly build and operationalize advanced analytics to deliver timely business outcomes for use cases across the industrial, enterprise, and consumer segments.
Mar. 28, 2015 03:30 PM EDT Reads: 2,133
SYS-CON Events announced today that Solgenia will exhibit at SYS-CON's 16th International Cloud Expo®, which will take place on June 9-11, 2015, at the Javits Center in New York City, NY, and the 17th International Cloud Expo®, which will take place on November 3–5, 2015, at the Santa Clara Convention Center in Santa Clara, CA. Solgenia is the global market leader in Cloud Collaboration and Cloud Infrastructure software solutions. Designed to “Bridge the Gap” between Personal and Professional Social, Mobile and Cloud user experiences, our solutions help large and medium-sized organizations dr...
Mar. 28, 2015 03:00 PM EDT Reads: 2,729
SYS-CON Events announced today that Liaison Technologies, a leading provider of data management and integration cloud services and solutions, has been named "Silver Sponsor" of SYS-CON's 16th International Cloud Expo®, which will take place on June 9-11, 2015, at the Javits Center in New York, NY. Liaison Technologies is a recognized market leader in providing cloud-enabled data integration and data management solutions to break down complex information barriers, enabling enterprises to make smarter decisions, faster.
Mar. 28, 2015 03:00 PM EDT Reads: 3,403
Cloud is not a commodity. And no matter what you call it, computing doesn’t come out of the sky. It comes from physical hardware inside brick and mortar facilities connected by hundreds of miles of networking cable. And no two clouds are built the same way. SoftLayer gives you the highest performing cloud infrastructure available. One platform that takes data centers around the world that are full of the widest range of cloud computing options, and then integrates and automates everything. Join SoftLayer on June 9 at 16th Cloud Expo to learn about IBM Cloud's SoftLayer platform, explore se...
Mar. 28, 2015 02:00 PM EDT Reads: 1,591
The WebRTC Summit 2014 New York, to be held June 9-11, 2015, at the Javits Center in New York, NY, announces that its Call for Papers is open. Topics include all aspects of improving IT delivery by eliminating waste through automated business models leveraging cloud technologies. WebRTC Summit is co-located with 16th International Cloud Expo, @ThingsExpo, Big Data Expo, and DevOps Summit.
Mar. 28, 2015 01:00 PM EDT Reads: 1,462
@ThingsExpo has been named the Top 5 Most Influential M2M Brand by Onalytica in the ‘Machine to Machine: Top 100 Influencers and Brands.' Onalytica analyzed the online debate on M2M by looking at over 85,000 tweets to provide the most influential individuals and brands that drive the discussion. According to Onalytica the "analysis showed a very engaged community with a lot of interactive tweets. The M2M discussion seems to be more fragmented and driven by some of the major brands present in the M2M space. This really allows some room for influential individuals to create more high value inter...
Mar. 28, 2015 12:45 PM EDT Reads: 4,615
The world's leading Cloud event, Cloud Expo has launched Microservices Journal on the SYS-CON.com portal, featuring over 19,000 original articles, news stories, features, and blog entries. DevOps Journal is focused on this critical enterprise IT topic in the world of cloud computing. Microservices Journal offers top articles, news stories, and blog posts from the world's well-known experts and guarantees better exposure for its authors than any other publication. Follow new article posts on Twitter at @MicroservicesE
Mar. 28, 2015 12:00 PM EDT Reads: 1,382
SYS-CON Events announced today the IoT Bootcamp – Jumpstart Your IoT Strategy, being held June 9–10, 2015, in conjunction with 16th Cloud Expo and Internet of @ThingsExpo at the Javits Center in New York City. This is your chance to jumpstart your IoT strategy. Combined with real-world scenarios and use cases, the IoT Bootcamp is not just based on presentations but includes hands-on demos and walkthroughs. We will introduce you to a variety of Do-It-Yourself IoT platforms including Arduino, Raspberry Pi, BeagleBone, Spark and Intel Edison. You will also get an overview of cloud technologies s...
Mar. 28, 2015 11:00 AM EDT Reads: 2,020
SYS-CON Events announced today that SafeLogic has been named “Bag Sponsor” of SYS-CON's 16th International Cloud Expo® New York, which will take place June 9-11, 2015, at the Javits Center in New York City, NY. SafeLogic provides security products for applications in mobile and server/appliance environments. SafeLogic’s flagship product CryptoComply is a FIPS 140-2 validated cryptographic engine designed to secure data on servers, workstations, appliances, mobile devices, and in the Cloud.
Mar. 28, 2015 11:00 AM EDT Reads: 1,367
Containers and microservices have become topics of intense interest throughout the cloud developer and enterprise IT communities. Accordingly, attendees at the upcoming 16th Cloud Expo at the Javits Center in New York June 9-11 will find fresh new content in a new track called PaaS | Containers & Microservices Containers are not being considered for the first time by the cloud community, but a current era of re-consideration has pushed them to the top of the cloud agenda. With the launch of Docker's initial release in March of 2013, interest was revved up several notches. Then late last...
Mar. 28, 2015 09:15 AM EDT Reads: 2,174
SOA Software has changed its name to Akana. With roots in Web Services and SOA Governance, Akana has established itself as a leader in API Management and is expanding into cloud integration as an alternative to the traditional heavyweight enterprise service bus (ESB). The company recently announced that it achieved more than 90% year-over-year growth. As Akana, the company now addresses the evolution and diversification of SOA, unifying security, management, and DevOps across SOA, APIs, microservices, and more.
Mar. 28, 2015 08:30 AM EDT Reads: 2,011
After making a doctor’s appointment via your mobile device, you receive a calendar invite. The day of your appointment, you get a reminder with the doctor’s location and contact information. As you enter the doctor’s exam room, the medical team is equipped with the latest tablet containing your medical history – he or she makes real time updates to your medical file. At the end of your visit, you receive an electronic prescription to your preferred pharmacy and can schedule your next appointment.
Mar. 28, 2015 08:00 AM EDT Reads: 612
GENBAND has announced that SageNet is leveraging the Nuvia platform to deliver Unified Communications as a Service (UCaaS) to its large base of retail and enterprise customers. Nuvia’s cloud-based solution provides SageNet’s customers with a full suite of business communications and collaboration tools. Two large national SageNet retail customers have recently signed up to deploy the Nuvia platform and the company will continue to sell the service to new and existing customers. Nuvia’s capabilities include HD voice, video, multimedia messaging, mobility, conferencing, Web collaboration, deskt...
Mar. 28, 2015 01:00 AM EDT Reads: 1,410 | s3://commoncrawl/crawl-data/CC-MAIN-2015-14/segments/1427131298020.57/warc/CC-MAIN-20150323172138-00219-ip-10-168-14-71.ec2.internal.warc.gz | CC-MAIN-2015-14 | 17,709 | 55 |
https://www.freelancer.cz/projects/java/parser-generator-for-cool-12146698/ | code | Note: I have done the similar work which you need.
10 Years of Experience with best start ups in Java & J2EE technologies, want to do the things right at first hand. Looking to work independently and to learn throuDalší
I am a professional programmer who likes to make games and apps in any and all technologies.
With 7 years experience in coding and programming, I'm familiar with
- iPhone games (Cocos 2D, Box 2D, Unity 3D, Obj-C, OpeDalší | s3://commoncrawl/crawl-data/CC-MAIN-2018-43/segments/1539583514355.90/warc/CC-MAIN-20181021203102-20181021224602-00232.warc.gz | CC-MAIN-2018-43 | 445 | 5 |
https://steigerverhuur.site/2021/09/11/steigerverhuur-leads-for-your-business-sundatagroup-com/ | code | Van: Muhammad Childs
Onderwerp: Leads for your business – SunDataGroup.com
Hello from SunDataGroup.com
We are selling leads from around the world. I thought your company could benefit from it.
You can visit our website www.SunDataGroup.com to see some of our data.
We have a special offer running. All our databases for $99.
Deze e-mail is verzonden vanuit het contactformulier op SteigerVerhuur https://steigerverhuur.site | s3://commoncrawl/crawl-data/CC-MAIN-2022-21/segments/1652662517485.8/warc/CC-MAIN-20220517130706-20220517160706-00169.warc.gz | CC-MAIN-2022-21 | 425 | 7 |
https://blog.adafruit.com/2011/08/10/before-you-post-about-a-mintyboost-issue-read-this/ | code | We have a lot of new folks to electronics making kits now, it’s great! – and with that there are a lot of tips, hints and check lists we are working on to better assist with questions in the customer support forums. Here’s one for the MintyBoost. The MintyBoost can power so many devices, used with so many batteries, cables, etc, etc in so many configurations we have a handy check list to help you when you need help making this kit! It’s a mini-FAQ our support team put together. Enjoy! Before you post about a MintyBoost issue… Read this!
Stop breadboarding and soldering – start making immediately! Adafruit’s Circuit Playground is jam-packed with LEDs, sensors, buttons, alligator clip pads and more. Build projects with Circuit Playground in a few minutes with the drag-and-drop MakeCode programming site, learn computer science using the CS Discoveries class on code.org, jump into CircuitPython to learn Python and hardware together, or even use Arduino IDE. Circuit Playground Express is the newest and best Circuit Playground board, with support for MakeCode, CircuitPython, and Arduino. It has a powerful processor, 10 NeoPixels, mini speaker, InfraRed receive and transmit, two buttons, a switch, 14 alligator clip pads, and lots of sensors: capacitive touch, IR proximity, temperature, light, motion and sound. A whole wide world of electronics and coding is waiting for you, and it fits in the palm of your hand.
Have an amazing project to share? Join the SHOW-AND-TELL every Wednesday night at 7:30pm ET on Google+ Hangouts.
Join us every Wednesday night at 8pm ET for Ask an Engineer!
Maker Business — Japanese word working and more in December’s issue of HackSpace magazine!
Wearables — Solder-less magic
Electronics — = != ==.
Biohacking — Finding Bliss with Anandamide
Python for Microcontrollers — sysfs is dead! long live libgpiod! libgpiod for linux & Python running hardware @circuitpython @micropython @ThePSF #Python @Adafruit #Adafruit
Sorry, the comment form is closed at this time. | s3://commoncrawl/crawl-data/CC-MAIN-2018-51/segments/1544376823339.35/warc/CC-MAIN-20181210123246-20181210144746-00002.warc.gz | CC-MAIN-2018-51 | 2,036 | 10 |
https://german.stackexchange.com/questions/13416/in-letzter-zeit-vs-in-der-letzten-zeit | code | The difference is mainly syntactic. If "Zeit" is going to be specifically quantified in the post position, then the article induces parsing of a longer noun phrase
In der letzten Zeit, seit es nicht mehr regnet, ist es immer heißer geworden.
Whereas the sentence that implicitly defines the episode will be anchored on another key noun, with the tempus expressed in adverbial postposition. [I guess that's also why it should be a sentence in this paragraph.]
Die Hitze ist in letzter Zeit rasant gestiegen
But free word order renders the distinction mostly obsolete. The semantic overlap between time and weather (cf. season, day, tide, month etc.) adds to the ambiguity, as far as the indefinite "es" is concerned, The allusion is not actually lexically motivated, it's just that time is always symbolically derived from the observation of any process.
Although I do not assume a semantic distinction counciously, like the other answers as well. In addition I'd argue that a sentence starting with a proper subject will be virtually always followed by an indefinite article. e.g. "Ich habe in ..." "... letzter Zeit". Of course a fully qualified main clause can appear inserted, "Ich habe in der letzten Zeit [, in der es nicht geregnet hat, ] viel draußen unternommen". I am not deriving this from any formal framework and I'm surely not covering all use-cases. I'm just making a theoretical observation.
This syntagma is not limited to "Zeit", cp. e.g. "nächstes Mal" ~ "das nächste Mal"; "warmes Essen" ~ "das warme Essen". The difference seems to be in-/definite, cp. "ein letzt-e-s Mal" [encore], "ein warm-e-s Essen" (also "ein-e warm-e-_ Mahlzeit*). It should be obvious that a definitive das nächste Mal is nevertheless uncertain to a degree. The difference to the indefinite variant is as fuzzy as that between Konjunktiv or Future forms and the like, as far as expressions of Evidentiallity are concerned. Germanic is not exactly the prime example of an evidential language, that can--obviously--become qualified through adverbial gradiations, just for example.
PS: Insbesondere "insbesonder-e/s" shows that in was morphemic Also "indess". | s3://commoncrawl/crawl-data/CC-MAIN-2022-27/segments/1656103624904.34/warc/CC-MAIN-20220629054527-20220629084527-00224.warc.gz | CC-MAIN-2022-27 | 2,155 | 8 |
https://www.ghacks.net/2019/03/22/a-look-at-chromes-new-focus-this-tab-feature/ | code | A look at Chrome's new Focus this Tab feature
Focus Mode is a new experimental feature of Google's Chrome web browser. Google added a Focus Mode flag to Chrome Canary in February 2019 but enabling it at that time did not do anything as the underlying functionality was not fully implemented back then.
The description did not reveal much, as it simply stated that enabling the flag would allow users to switch to Focus Mode.
Recent versions of Google Chrome Canary, the cutting edge development version of Google Chrome, support Focus Mode functionality. It is unclear whether the feature is fully implemented already or if it is only partially available.
Focus Mode in Chrome
It is still necessary at this point to enable Focus Mode in Chrome before the feature becomes available. Note that you do need to run Chrome Canary at this point to test it.
- Make sure you run Google Chrome Canary and that the browser is up to date.
- Load chrome://flags/#focus-mode.
- Set the flag to Enabled.
- Restart Google Chrome.
A right-click on a tab displays the new "Focus this tab" option after the restart. What it does? It loads the web page in a new browser window that lacks most interface elements.
Only the title bar and scroll bars remain; all other interface elements, the address bar, extension icons, Chrome's menu, or bookmarks toolbar are hidden in that window.
The window spawns with its own icon in the taskbar of the operating system, and the icon that it the site's favicon.
A right-click on the title bar displays more options than usually. You find options to go back or forward, reload the page, zoom in or out, or search for content on the page.
There is no option to bring the page displayed in the focus window back to the Chrome window it was launched from.
Focus Mode displays a single web page in a headless window. Extensions continue to work in Focus Mode but you may get less control as you cannot interact with the extension icon while in that mode.
There is also no (obvious) option to access the menu to make configuration changes, or switch to a different URL that is not linked on the page that is active.
Focus Mode removes some distractions from Chrome and may display more content of a web page in the window due to the reduced browser interface. Whether that is sufficient for it to be used instead of fullscreen mode remains to be seen.
It is possible that Focus Mode is still in active development and that additional functionality will be added to the mode in future builds.
Now You: What is your take on Focus Mode?Advertisement | s3://commoncrawl/crawl-data/CC-MAIN-2024-18/segments/1712296818740.13/warc/CC-MAIN-20240423192952-20240423222952-00096.warc.gz | CC-MAIN-2024-18 | 2,559 | 20 |
http://hamstrup.dk/renameaudiofiles.htm | code | Rename audio files using CATraxx data and your specification.
Other features include updating of audio file duration, updating of audio bitrate and creation m3u-files for use outside CATraxx.
|How to use the program|
|Make the desired entries in the SitesMenu|
|Normal start (manually choose the action)||"[InstallLocation]\HAPrenameAudioFiles.exe"|
|Autorun (automatically rename a specific album)||"[InstallLocation]\HAPrenameAudioFiles.exe %ALBUMID%,AUTO"|
|Make a shortcut to the programfile, if you wish to run the program from outside CATraxx.|
|If you run the program while CATraxx is running, the database open in CATraxx will be used.
Otherwise the default database will be used.
This program will only work with CATrax version 9.00 or higher. | s3://commoncrawl/crawl-data/CC-MAIN-2018-09/segments/1518891815951.96/warc/CC-MAIN-20180224211727-20180224231727-00597.warc.gz | CC-MAIN-2018-09 | 752 | 10 |
https://community.smartsheet.com/discussion/93780/sheet-access-request-provide-more-information-in-request | code | As the Owner of the majority of the Workspaces in our company, I often receive the email from an external party, requesting access to a particular sheet(s). Whilst I may be the Owner, I am not typically the manager of the project and have little insight into what role that external party plays.
On receipt of these requests, I then need to search the system and/or do a ring-around to our team to find out where it may have come from.
If the Request included a little bit more information - ideally the name of the Workspace the Sheet is stored - it would save substantial time. We use some very generic Sheet names making identification difficult sometimes. | s3://commoncrawl/crawl-data/CC-MAIN-2023-50/segments/1700679100276.12/warc/CC-MAIN-20231201053039-20231201083039-00551.warc.gz | CC-MAIN-2023-50 | 659 | 3 |
https://tfir.io/azure-powers-airmaps-drones-platform/ | code | AirMap has opted for Microsoft Azure as the company’s exclusive cloud-computing platform for its drone traffic management platform and developer ecosystem. As part of the alliance, Microsoft will help AirMap evolve its products and scale to countries looking to enable the use of drones for commercial scenarios in a responsible way.
According to Ben Marcus, AirMap cofounder and Chairman, “Microsoft Azure provides essential cloud computing infrastructure for the AirMap platform to orchestrate safe and responsible drone operations around the world.”
AirMap works with civil aviation authorities, air navigation service providers, and local authorities to implement an airspace management system that supports and enforces secure and responsible access to low-altitude airspace for drones. With AirMap’s airspace management platform running on Microsoft Azure, the two companies are delivering a platform that will allow state and local authorities to authorize drone flights and enforce local rules and restrictions on how and when they can be operated.
Their solution also enables companies to ensure that compliance and security are a core part of their enterprise workflows that incorporate drones.
AirMap said it selected Microsoft Azure because it provides the critical cloud-computing infrastructure, security, and reliability needed to run these airspace services and orchestrate drone operations around the world. | s3://commoncrawl/crawl-data/CC-MAIN-2023-40/segments/1695233511717.69/warc/CC-MAIN-20231005012006-20231005042006-00801.warc.gz | CC-MAIN-2023-40 | 1,432 | 5 |
https://fluke.freshdesk.com/en/support/solutions/articles/19000125502-augmented-reality-via-headsets-teamviewer-assist-ar | code | Service Level Agreement
We can provide ad-hoc remote augmented reality support for our products (subject to support staff availability).
Generally, The FPI Technical Support team are able to respond quickly (within a few hours) and will be able to provide ad-hoc support for up to 30 minutes. There may be delays to initiate a connection depending on the size of the support queue.
For longer periods it may be necessary to make a booking, or if a particular issue is complex and needs additional time, it may be necessary to schedule additional sessions.
Please note that there may be a cost for support sessions other than for ad-hoc troubleshooting or product guidance, for example full system "start-ups" or complete software reinstallations and configuration.
We can support you if you have the following devices:
Microsoft - Hololens 2
Vuzix - Blade, M300XL
Epson - BT300, BT-350
RealWear - HMT-1, HMT-1Z1
Navigate via the device to the app' store and install Teamviewer Assist AR | s3://commoncrawl/crawl-data/CC-MAIN-2022-21/segments/1652662546071.13/warc/CC-MAIN-20220522190453-20220522220453-00023.warc.gz | CC-MAIN-2022-21 | 986 | 11 |
http://htmlcss.wikia.com/wiki/Tr | code | The semantic HTML
<tr></tr> element defines a table row. It must be placed within a
<tfoot> element and may only contain
<th> elements. The end tag may be omitted if the
<tr> element is immediately followed by another
<tr> element, or if the parent
<table> element doesn't have any more content.
<table> <tr> <td>1</td> <td>2</td> <td>3</td> </tr> </table> | s3://commoncrawl/crawl-data/CC-MAIN-2017-34/segments/1502886105086.81/warc/CC-MAIN-20170818175604-20170818195604-00251.warc.gz | CC-MAIN-2017-34 | 356 | 8 |
Subsets and Splits