id
stringlengths 50
55
| text
stringlengths 54
694k
|
---|---|
global_05_local_5_shard_00000035_processed.jsonl/58238 | Take the 2-minute tour ×
Stateless beans in Java do not keep their state between two calls from the client. So in a nutshell we might consider them as objects with business methods. Each method takes parameters and return results. When the method is invoked some local variables are being created in execution stack. When the method returns the locals are removed from the stack and if some temporary objects were allocated they are garbage collected anyway.
From my perspective that doesn’t differ from calling method of the same single instance by separate threads. So why cannot a container use one instance of a bean instead of pooling a number of them?
share|improve this question
4 Answers 4
up vote 22 down vote accepted
Pooling does several things.
One, by having one bean per instance, you're guaranteed to be threads safe (Servlets, for example, are not thread safe).
Two, you reduce any potential startup time that a bean might have. While Session Beans are "stateless", they only need to be stateless with regards to the client. For example, in EJB, you can inject several server resources in to a Session Bean. That state is private to the bean, but there's no reason you can't keep it from invocation to invocation. So, by pooling beans you reduce these lookups to only happening when the bean is created.
Three, you can use bean pool as a means to throttle traffic. If you only have 10 Beans in a pool, you're only going to get at most 10 requests working simultaneously, the rest will be queued up.
share|improve this answer
"One, by having one bean per instance, you're guaranteed to be threads safe (Servlets, for example, are not thread safe)." How does being thread safe help in a stateless session bean ? – anjanb Sep 25 '08 at 18:37
I don't understand what you mean when you assert Servlets are not thread-safe. IIRC, the Tomcat management console allows me to pool Servlets too. – Alan Sep 25 '08 at 18:40
Stateless Session Beans are simple components. They can have "State", but the state is related to the component, not to the client. The bean has a full lifecycle. So, you could have a local cache, for example, in the bean and never worry about synchronizing it. – Will Hartung Sep 25 '08 at 19:34
Tomcat may offer a Servlet instance pool, but the spec doesn't require it. You can't assume that a specific servlet instance will only be accessed by a single request at a time. – Will Hartung Sep 25 '08 at 19:36
It might be clearer to say that the developer is responsible for writing a threadsafe servlet -- there will be multiple threads hitting it simultaneously. The stateless session bean does NOT need to be written to be threadsafe, because this is already guaranteed by the container (there will not be multiple threads executing simultaneously; instead there are multiple beans, pooled). – Rob Whelan Jan 28 '11 at 20:44
The transactionality of the Java EE model uses the thread context to manage the transaction lifecycle.
This simplification exists so that it is not necessary to implement any specific interface to interact with the UserTransaction object directly; when the transaction is retrieved from the InitialContext (or injected into the session bean) it is bound to a thread-local variable for reuse (for example if a method in your stateless session bean calls another stateless session bean that also uses an injected transaction.)
share|improve this answer
Life cycle of the Statelesss session beans are Doesnot exist, Passive and MethodReady(Passive or Inactive) state.To optimize on perormance, instead of traversing the bean all through from create to method ready state, container manages the bean between active and passive states through the container callbacks - ejbActivate() and ejbPassivate() there by managing the bean pool.
share|improve this answer
Pooling enhances performance.
A single instance handling all requests/threads would lead to a lot of contention and blocking.
Since you don't know which instance will be used (and several threads could use a single instance concurrently), the beans must be threadsafe.
The container can manage pool size based on actual activity.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58239 | Take the 2-minute tour ×
I'd like to have a user in my model. By user I mean something that holds username. Email and the rest of the stuff would also be nice.
I tried like that:
public class MyModel
public virtual MembershipUser Finder { get; set; }
public ActionResult Create(MyModel mymodel)
if (ModelState.IsValid)
//mymodel.FinderId = Membership.GetUser(User.Identity.Name).ProviderUserKey;
mymodel.Finder = Membership.GetUser(User.Identity.Name);
return RedirectToAction("Index");
return View(mymodel);
And than in a view:
@Html.DisplayFor(modelItem => item.Finder.UserName)
While in the controller the poperty UserName was set to "admin" in the view it was null. On the other hand email was set in both controller and view.
What am I doing wrong?
share|improve this question
You need to provide this in the HttpGet.. not HttpPost.. (post is once it's been submitted). – Simon Whitehead Jan 21 '13 at 23:50
Is the user authorized? Docorate your Create action with the [Authorize] attribute. – Mr. Young Jan 21 '13 at 23:55
@SimonWhitehead Sorry, I don't understand. What I posted is the action where mymodel is being saved to the database. And it all works fine except for the MembershipUser. This property is incomplete after save. it contains email but not username. – gisek Jan 21 '13 at 23:56
Watch all 5 of these videos. They will give you a really good understanding of MVC and creating a user login. They opened my eyes to a lot of MVC magic. youtube.com/watch?v=HXfhPj1rlQ8&list=SPCD7D098B66C806CA – Preston Jan 22 '13 at 3:03
What do you get for User.Identity.IsAuthenticated ? true/false? – Ajay Kelkar Jul 1 '14 at 18:20
Your Answer
Browse other questions tagged or ask your own question. |
global_05_local_5_shard_00000035_processed.jsonl/58240 | Take the 2-minute tour ×
I have a daemon written in C++ running on the background on android.
I want that daemon to restart upon crash or unexpected event without adding independent crash protection. What is the best way to do this ? I hope to edit init.rc.
share|improve this question
Can you explain your question? Can you modify the image of your phone? Are you creating a daemon to change Android's behavior? What's the purpose of the daemon? – Yury Feb 7 '13 at 14:09
I can modify the image. The daemon is simply running in support of a running application and communicating through a socket. The application is dependent on the daemon... therefore it needs to be always running. I am trying to accomplish this on Android 4.2 and 4.0.3. Also there is no JNI layer for the daemon. – dan Feb 7 '13 at 14:15
1 Answer 1
up vote 2 down vote accepted
You should specify in your init.rc file:
service <name> <pathname> [ <argument> ]
I think that in your case you should not specify options. However, here you can find the list of options. After editing init.rc run make command.
share|improve this answer
I should have said this is how i currently launch the daemon. However if I force a crash during operation it will not restart. – dan Feb 7 '13 at 15:10
Try to add critical as an option. – Yury Feb 7 '13 at 16:04
critical is the way to go in jelly bean. – dan Feb 8 '13 at 21:03
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58241 | Take the 2-minute tour ×
I have a library with a bunch of different objects that have similar expected behavior, thus I want to run similar tests on them, but not necessarily identical tests on them.
To be specific lets say I have some sorting functions, and a test for checking if a sorting function actually sorts. Some sorting functions are intended to work on some inputs, but not others.
I'd like to write something close to the code below. However, nose won't do a good job of telling me exactly where the tests failed and with what inputs. If check_sort fails for sort2 on case2, I won't be able to see that.
def check_sort(sortalg, vals):
assert sortalg(vals) == sort(vals)
def test_sorts():
case1 = [1,3,2]
case2 = [2,31,1]
check_sort(sort1, case1)
for c in [case1, case2]:
check_sort(sort2, c)
I would like to be able to simply add a decorator to check_sort to tell nose that it's a nested test. Something like
def check_sort(sortalg, vals):
assert sortalg(vals) == sort(vals)
The idea being that when it gets called, it registers itself with nose and will report its inputs if it fails.
It looks like pytest provides pytest.mark.parameterized, but that seems rather awkward to me. I have to put all my arguments above the function in one spot, so I can't call it repeatedly in my tests. I also don't think this supports nesting more than one level.
Nose also provides test generators, which seems closer, but still not as clear as I would hope.
share|improve this question
2 Answers 2
up vote 2 down vote accepted
Using the provided generative test feature is the likely intended way to do it with nose and py.test.
That said, you can dynamically add functions (tests) to a class after it has been created. That is the technique used by the Lib/test/test_decimal.py code in the standard library.
share|improve this answer
You can use nose-ittr, its a nose extension for supporting parametrized testing.
def test_sorts():
check_sort(sort1, self.case1)
check_sort(sort2, self.case2)
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58242 | Take the 2-minute tour ×
@S.Lott Why can't you use the Force? What's wrong with the Force? – Jon Crowell Jan 4 '13 at 0:51
The source..... the source... – RickyA Oct 9 '13 at 15:25
Good reference links. The question itself is the answer! +1 – Thiago F Macedo Oct 17 '13 at 19:31
7 Answers 7
up vote 112 down vote accepted
An example (listing the methods of the optparse.OptionParser class):
>>> from optparse import OptionParser
>>> import inspect
>>> inspect.getmembers(OptionParser, predicate=inspect.ismethod)
[([('__init__', <unbound method OptionParser.__init__>),
('add_option', <unbound method OptionParser.add_option>),
('add_option_group', <unbound method OptionParser.add_option_group>),
('add_options', <unbound method OptionParser.add_options>),
('check_values', <unbound method OptionParser.check_values>),
('destroy', <unbound method OptionParser.destroy>),
<unbound method OptionParser.disable_interspersed_args>),
<unbound method OptionParser.enable_interspersed_args>),
('error', <unbound method OptionParser.error>),
('exit', <unbound method OptionParser.exit>),
('expand_prog_name', <unbound method OptionParser.expand_prog_name>),
Notice that getmembers returns a list of 2-tuples. The first item is the name of the member, the second item is the value.
You can also pass an instance to getmembers:
>>> parser = OptionParser()
>>> inspect.getmembers(parser, predicate=inspect.ismethod)
share|improve this answer
perfect, the predicate part is key, otherwise you get the same thing as dict with the extra meta info. Thanks. – Purrell Dec 15 '09 at 23:48
Will this produce a list of all methods in the class (including ones that are inherited from other classes), or will it only list the methods that are explicitly defined in that class? – Anderson Green Mar 10 '13 at 23:21
It includes inherited methods. – codeape Mar 12 '13 at 7:11
This only gives me the base class's methods, not the classes of the derived's.. - Update: this is because all methods in derived were static. – poli_g Mar 29 at 10:34
getmembers will only return class attributes defined in the metaclass when the argument is a class. – lsbardel May 25 at 7:06
There is the dir(theobject) method to list all the fields and methods of your object (as a tuple) and the inspect module (as codeape write) to list the fields and methods with their doc (in """).
Because everything (even fields) might be called in Python, I'm not sure there is a built-in function to list only methods. You might want to try if the object you get through dir is callable or not.
share|improve this answer
Try the property __dict__.
share|improve this answer
I think you mean dict. But that lists the attributes of the instance, not the methods. – me_and Dec 15 '09 at 23:45
…that didn't work for me either. Having consulted the Markdown syntax, I think I mean __dict__. – me_and Dec 15 '09 at 23:48
@me_and you're probably doing "self.__dict__" or, more generically, calling the instance version of __dict__. However classes have a __dict__ too and that should display the class methods :) – Seaux Mar 29 at 18:42
Note that you need to consider whether you want methods from base classes which are inherited (but not overridden) included in the result. The dir() and inspect.getmembers() operations do include base class methods, but use of the __dict__ attribute does not.
share|improve this answer
you can also import the FunctionType from types and test it with the class.__dict__:
from types import FunctionType
class A (object):
def test(self):
print([x for x,y in A.__dict__.items() if type(y) == FunctionType])
# prints "['test']"
share|improve this answer
This worked well for me. I did add and not x.startswith('_') to the end of the list comprehension for my use to ignore __init__'s and private methods. – Christopher Pearson May 10 at 22:40
def find_defining_class (obj, meth_name):
For ty in type (obj).mro ():
If meth_name in ty.__dict__:
return ty
print find_defining_class(car, 'speedometer')
Think Python page 210
share|improve this answer
I know this is an old post, but just wrote this function and will leave it here is case someone stumbles looking for an answer:
def classMethods(the_class,class_only=False,instance_only=False,exclude_internal=True):
def acceptMethod(tup):
#internal function that analyzes the tuples returned by getmembers tup[1] is the
#actual member object
is_method = inspect.ismethod(tup[1])
if is_method:
bound_to = tup[1].im_self
internal = tup[1].im_func.func_name[:2] == '__' and tup[1].im_func.func_name[-2:] == '__'
if internal and exclude_internal:
include = False
include = (bound_to == the_class and not instance_only) or (bound_to == None and not class_only)
include = False
return include
#uses filter to return results according to internal function and arguments
return filter(acceptMethod,inspect.getmembers(the_class))
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58243 | Take the 2-minute tour ×
I have a structure and a bidimensional array of those structs:
typedef struct {
char exit_n;
char exit_s;
char exit_w;
char exit_e;
} room;
I need an array of pointers those structs. The following code compiles, but I don't get the wanted result. Any help? This is getting really confused to me, any explanation would be appreciated
room *rooms;
rooms = (room*)malloc(sizeof(room*) * ROOM_NUM);
rooms[n] = map[room_x][room_y];
share|improve this question
6 Answers 6
Actually, I think you want
room** rooms;
rooms = (room**)malloc(sizeof(room*) * ROOM_NUM);
rooms[n] = &map[room_x][room_y];
This gives you an array of pointers to your rooms.
share|improve this answer
I'm am pretty sure you want
You need to allocate enough space for the struct. You are only allocating for a pointer.
You also may need to allocate differently if you want a 2D array: see here http://stackoverflow.com/questions/455960/dynamic-allocating-array-of-arrays-in-c
share|improve this answer
Incidentally, in this particular case sizeof(room)==sizeof(room*) on a 32 bit system :D – mingos Jan 7 '10 at 23:53
@mingos: good eye! – Richard Pennington Jan 8 '10 at 0:25
The major issue I see is that you are using sizeof(room*). This means that you are taking the size of a pointer to a structure, which is not what you want. You want to allocate the size of the structure, so make that sizeof(room). Also, use calloc in this case, not malloc, as you are basically implementing the former's functionality by multiplying the number of rooms by the size of the room.
share|improve this answer
isn't this like making another array of rooms where i want an array of pointers to room? – pistacchio Jan 7 '10 at 23:30
Ah, I see what you mean. Some of the other posts have done it right. – avpx Jan 7 '10 at 23:51
In your current code, rooms becomes an array of room structures, not an array of pointers. If you want an array of pointers that each point to your map array, you need another layer of indirection:
room** rooms = malloc(ROOM_NUM * sizeof *rooms);
// ...
(Or you can use sizeof (room *) like your code has instead of sizeof *rooms; I prefer to write it that way to avoid duplicating type information.)
share|improve this answer
he may actually need room*** a 2D array of room pointers – Nick Van Brunt Jan 7 '10 at 23:35
It seems to me that rooms is supposed to be an alternative, 1-dimensional way of accessing map instead of being 2-dimensional. – jk. Jan 7 '10 at 23:41
I don't think so. He's got ROOM_NUM rooms. I'm guessing ROOM_NUM is equal to the product of the map's dimensions. room*** wouldn't work for a 2D array anyway. – Richard Pennington Jan 7 '10 at 23:41
You need to allocate space for the pointers and for the rooms and then initialize the pointers to point to the rooms.
room *rooms;
room **prooms;
rooms = (room*)malloc((sizeof(room) + sizeof(room*)) * ROOM_NUM);
prooms = (room**)(&rooms[ROOM_NUM]);
for (int ii = 0; ii < ROOM_NUM; ++ii)
prooms[ii] = &rooms[ii];
share|improve this answer
If I understand correctly, you want an array of pointers to all the room values in map. Since there are MAP_WIDTH*MAP_HEIGHT such values, we need that many pointers:
room *rooms[MAP_WIDTH*MAP_HEIGHT];
The above declares rooms as an array of pointers.
Now, to assign the values:
size_t i;
size_t j;
for (i=0; i < MAP_WIDTH; ++i)
for (j=0; j < MAP_HEIGHT; ++j)
rooms[i*MAP_HEIGHT+j] = &map[i][j];
We basically find the address of each element in map, and store it in the correct entry in rooms.
Is this what you wanted?
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58244 | Take the 2-minute tour ×
I have a UIView in a UIScrollView in a UIView in a .xib that contains several buttons. If I move that UIView down by several pixels from within viewWillAppear, the buttons all stop responding to taps.
Here's the code I'm using to resize the UIScrollView and shift the buttons down:
// adjust the view height to accomodate the resized label
scrollView.contentSize = CGSizeMake( 320, 367 + expectedLabelSize.height - originalLabelSize.height );
// Adjust the location of buttons
CGRect buttonsBounds = buttons.bounds;
buttonsBounds.origin.y -= expectedLabelSize.height - originalLabelSize.height; //XX
buttons.bounds = buttonsBounds;
If I comment out the line marked XX, the buttons work just fine, but are in the wrong place of course.
If I try various numbers of pixels (replacing expectedLabelSize.height - originalLabelSize.height with a hardcoded value), I get interesting results. 10 pixels works fine. 50 pixels causes my top button to work fine but my bottom one to fail. 100 pixels and both buttons fail. (-50) pixels causes the bottom button to work fine but the top to fail.
Any idea what might be causing the problem? Do I somehow need to inform the buttons that their parent view has moved?
share|improve this question
2 Answers 2
up vote 2 down vote accepted
The problem was that I should have been using buttons.frame instead of buttons.bounds. Using the frame instead fixed the problem.
share|improve this answer
I suggest giving the parent UIView a background color and setting the button style to Rounded. That way you can actually see what is happening on the screen. (Assuming you are using transparent buttons on top of some image or so)
share|improve this answer
nice suggestion, that helped me figure out what was going on. Cheers! – emmby Jan 30 '10 at 2:52
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58245 | Take the 2-minute tour ×
First off, let me say I am a new to SAX and Java.
I am trying to read information from an XML file that is not well formed.
When I try to use the SAX or DOM Parser I get the following error in response:
This is how I set up my XML file:
<format type="filename" t="13241">0;W650;004;AG-Erzgeb</format>
<format type="driver" t="123412">001;023</format>
Can I force the SAX or DOM to parse XML files even if they are not well formed XML?
Thank you for your help. Much appreciated. Haythem
share|improve this question
FYI: By definition... If it's not well formed it's not XML. en.wikipedia.org/wiki/XML#Well-formedness_and_error-handling – Chris Nava Mar 23 '10 at 18:25
3 Answers 3
up vote 16 down vote accepted
Your best bet is to make the XML well-formed, probably by pre-processing it a bit. In this case, you can achieve that simply by putting an XML declaration on (and even that's optional) and providing a root element (which is not optional), like this:
<?xml version="1.0"?>
There I've arbitrarily picked the name "wrapper" for the root element; it can be whatever you like.
share|improve this answer
I'd just like to add that you don't necessarily need to do that modification on the disk, but that you could do it on the fly by providing a filtering InputStream/Reader. Especially for big files (or reading XML from a URL) this can be very useful. A SequenceInputStream could be useful here: java.sun.com/javase/6/docs/api/java/io/SequenceInputStream.html – Joachim Sauer Mar 23 '10 at 11:34
Good posibility. is not easier to trun out the parse?. can I turn out the parse() mehtode and overwrite it to ignore the non-well-formed status? – Haythem Mar 23 '10 at 11:45
Haythem: probably not, because the parser is deep within the library and the behavior of such a browser would be undefined (the XML libraries don't know how to handle XML with more than one root element). Doing it this way instantly makes your XML well-formed and all XML-aware tools can suddenly handle it just fine (provided you have no other incorrect parts in there). – Joachim Sauer Mar 23 '10 at 11:58
Hint: using sax or stax you can successfully parse a not well formed xml document until the FIRST "well formed-ness" error is encountered.
(I know that this is not of too much help...)
share|improve this answer
As the DOM will scan you xml file then build a tree, the root node of the tree is like the as 1 Answer. However, if the Parser can't find the or even , it can even build the tree. So, its better to do some pre-processing the xml file before parser it by DOM or Sax.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58246 | Take the 2-minute tour ×
I need to create poster frames from videos hosted on Amazon S3 via ffmpeg.
So is there a way to use the remote video file directly in ffmpeg command line like this:
ffmpeg -i "http://bucket.s3.amazonaws.com/video.mp4" -ss 00:00:10 -vframes 1 -f image2 "image%03d.jpg"
ffmpeg just returns:
http://bucket.s3.amazonaws.com/video.mp4: I/O error occurred
I also tried forcing ffmpeg to use the videos mp4 container for reading:
ffmpeg -f mp4 -i "http://bucket.s3.amazonaws.com/video.mp4" ...
But no luck.
Wget this video from S3 and processing it locally works fine of course,
as well as reading the file remotely from other 'standard' http servers.
So I know that ffmpeg supports remote file reading, but why not on S3?
share|improve this question
2 Answers 2
up vote 13 down vote accepted
Nevermind, I found an easy way to solve my problem.
I set up an amazon cloudfront download distribution pointing to my S3 bucket.
Via cloudfront the files are accessible with ffmpeg over http:
ffmpeg -i "http://subdomain.cloudfront.net/video.mp4" -ss 00:00:10 -vframes 1 -f image2 "image%03d.jpg"
And the data transfer is even cheaper! But still wondering why this won't work with S3 directly...
share|improve this answer
I had the same issue, pulling from the bucket directly doesn't work. It also didn't work pulling the video through Limelight's CDN. Only worked via cloudfront. Very strange.. – bskinner May 14 '10 at 0:23
Works for me when I add bucket policy – lukas Feb 13 '14 at 14:06
I think it may help to specify the -ss value first, re: stackoverflow.com/questions/18534835/… – weisjohn May 9 '14 at 15:11
In my case, reading directly form S3 bucket work like a charm. To be more specific, my S3 object has private permission so I'm passing a Singed-URL to ffmpeg.
I use ruby and AWSRubySDK to generate a Singed-URL. http://docs.amazonwebservices.com/AWSRubySDK/latest/AWS/S3/S3Object.html#url_for-instance_method
Check your S3 object's permission.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58247 | Take the 2-minute tour ×
Let us say that I have a WAV file. In this file, is a series of sine tones at precise 1 second intervals. I want to use the FFTW library to extract these tones in sequence. Is this particularly hard to do? How would I go about this?
Also, what is the best way to write tones of this kind into a WAV file? I assume I would only need a simple audio library for the output.
My language of choice is C
share|improve this question
3 Answers 3
To get the power spectrum of a section of your file:
• collect N samples, where N is a power of 2 - if your sample rate is 44.1 kHz for example and you want to sample approx every second then go for say N = 32768 samples.
• apply a suitable window function to the samples, e.g. Hanning
• pass the windowed samples to an FFT routine - ideally you want a real-to-complex FFT but if all you have a is complex-to-complex FFT then pass 0 for all the imaginary input parts
• calculate the squared magnitude of your FFT output bins (re * re + im * im)
• (optional) calculate 10 * log10 of each magnitude squared output bin to get a magnitude value in dB
Now that you have your power spectrum you just need to identify the peak(s), which should be pretty straightforward if you have a reasonable S/N ratio. Note that frequency resolution improves with larger N. For the above example of 44.1 kHz sample rate and N = 32768 the frequency resolution of each bin is 44100 / 32768 = 1.35 Hz.
share|improve this answer
Note that the Hanning window function will smear the input over several bins; the 1.35 Hz suggested is quite optimistic. As Wikipedia notes, it may in fact make sense not to window at all. – MSalters Aug 21 '13 at 7:45
Hann or Hamming windows tend to be the most useful general purpose window functions. They both give a reasonable compromise in that the magnitude and frequency of a peak will be fairly reliable (unlike the no window case) and the peak will also be reasonably sharp. If you're looking to identify separate peaks that are very close together though then there are probably better choices for window function. Using no window at all (i.e. rectangular window function) usually only makes sense if you are looking at components which align exactly with bin frequencies. – Paul R Aug 21 '13 at 7:51
You are basically interested in estimating a Spectrum -assuming you've already gone past the stage of reading the WAV and converting it into a discrete time signal.
Among the various methods, the most basic is the Periodogram, which amounts to taking a windowed Discrete Fourier Transform (with a FFT) and keeping its squared magnitude. This correspond to Paul's answer. You need a window which spans over several periods of the lowest frequency you want to detect. Example: if your sinusoids can be as low as 10 Hz (period = 100ms), you should take a window of 200ms o 300ms or so (or more). However, the periodogram has some disadvantages, though it's simple to compute and it's more than enough if high precision is not required:
The periodogram can perform better by averaging several windows, with a judious choosing of the widths (Bartlet method). And there are many other methods for estimating the spectrum (AR modelling).
Actually, you are not exactly interested in estimating a full spectrum, but only the location of a single frequency. This can be done seeking a peak of an estimated spectrum (done as explained), but also by more specific and powerful (and complicated) methods (Pisarenko, MUSIC algorithm). They would probably be overkill in your case.
share|improve this answer
WAV files contain linear pulse code modulated (LPCM) data. That just means that it is a sequence of amplitude values at a fixed sample rate. A RIFF header is contained at the beginning of the file to convey information like sampling rate and bits per sample (e.g. 8 kHz signed 16-bit).
The format is very simple and you could easily roll your own. However, there are several libraries available to speed the process such as libsndfile. Simple Direct-media Layer (SDL)/SDL_mixer and PortAudio are two nice libraries for playback.
As for feeding the data into FFTW, you would need to buffer 1 second chunks (determine size by the sample rate and bits per sample). Then convert all of the samples to IEEE floating-point (i.e. float or double depending on the FFTW configuration--libsndfile can do this for you). Next create another array to hold the frequency domain output. Finally, create and execute an FFTW plan by passing both buffers to fftw_plan_dft_r2c_1d and calling fftw_execute with the returned fftw_plan handle.
share|improve this answer
Not actually the fftw version, but whether or not it was compiled with float support, no? – Stephen Canon May 21 '10 at 14:31
True, it is a matter of the build configuration IIRC. I haven't used FFTW in many years. Perhaps "version" is not the most accurate word I could have chose? – Judge Maygarden May 21 '10 at 16:15
Much of the audio DSP software for Linux (and other platforms) which uses FFTW requires FFTW built with float support, and having spent much time building this stuff from source, I can say that Debian at least, has packages for the various different build options of FFTW which can all be installed simultaneously. I expect this goes for most other Linux distros too. – James Morris May 21 '10 at 22:25
libsndfile will take care of converting your WAV files to floating point format, automatically, in general it's really quite a breeze to use. – James Morris May 21 '10 at 22:27
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58248 | Take the 2-minute tour ×
Assume there is an abstract class with a constructor that calls a protected abstract method that is yet to be implemented by the child class. Is this a good or bad idea? Why?
share|improve this question
Yes. abstract classes were a bad idea. – tidwall Nov 3 '10 at 0:56
Abstract classes aren't a bad idea - just the ability to call virtual methods from within a constructor. The idea's bad for concrete classes, too - not just abstract ;) – Reed Copsey Nov 3 '10 at 1:00
@Reed, nope, abstract classes are a bad idea (albeit for other reasons). Typically delegation / aggregation is a better, less error-prone mechanism for code reuse than inheritance. Interface inheritance is fine (i.e. no implementation), but class inheritance was a terrible idea. – Michael Aaron Safyan Nov 3 '10 at 1:02
Interfaces are better :) – WeNeedAnswers Nov 3 '10 at 1:04
4 Answers 4
up vote 3 down vote accepted
This is a bad idea.
You're basically creating inversion of control within a constructor. The method in the base class that is being called gets called before the base class data is initialized (in most languages), which is dangerous, as well. It can easily lead to indeterminate behavior.
Remember, in most languages, when you construct a class, all of the base class construction runs first. So, if you have something like: MyClass() : MyBaseClass() {}, typically, MyBaseClass's constructor runs in its entirety, then MyClass's constructor executes. However, by using a virtual method in the base class, you're calling an instance method in MyClass before it's fully initialized - which could be very dangerous.
share|improve this answer
Good point. Thanks for your insight. – StackOverflowNewbie Nov 3 '10 at 8:04
This is a bad idea, because in most OOP languages, the child is initialized after the parent is initialized. If the abstract function is implemented in the child, then it may operate on data in the child under the incorrect assumption that it has already been initialized, which is not the case in parent construction.
class Base {
Base() { virtualInit(); }
virtual ~Base() {}
virtual void virtualInit() {}
class Derived : public Base {
Derived() : ptr_(new SomeObject) {}
virtual ~Derived() {}
virtual void virtualInit() {
// dereference ptr_
scoped_ptr<SomeObject> ptr_;
In the example above, Base::Base() gets executed before Derived::Derived(), which is responsible for initializing ptr_. Hence, when virtualInit() is called from Base::Base() it dereferences an uninitialized pointer, leading to all sorts of trouble. This is why ctors and dtors should call only non-virtual functions (in C++), final functions (in Java), or the language-specific equivalent.
share|improve this answer
I can't see the reasoning of why you would want to do this, let alone qualify it. Sounds like your trying to inject some functionality into the object. Why wouldn't you just overload the constructor or create a property that can be set so that you can inject the functionality through composition or even create the constructor with a parameter which is the IOC object.
As another has already posted, it does depend on the context in which your trying to solve a particular problem. The natural fit would be to adhere to an interface, develop an abstract class, and overload the constructor in each implementation. Without further information I can only comment on what has been posted in your question.
This design you have can not be regarded good or bad. Simply from the fact that it may be the only way you can achieve what your trying to do.
share|improve this answer
Thanks for the input. I'm not actually trying to solve a particular problem. Just asking for opinions for a possible design solution. – StackOverflowNewbie Nov 3 '10 at 8:03
how are interfaces better? What if I needed a common class for all classes to inherit from? The common class itself should not be instantiated directly, but contains a number of methods and properties that descendant classes need? Wouldn't you need an abstract class so that you can benefit from inheritance? – StackOverflowNewbie Nov 3 '10 at 8:08
Personal preference, I always go for composition over inheritance in my program designs. I find the solutions to be more robust. I would look at the problem using the CRC approach and work out the interactions more than the inheritance. An object has a responsibility and should be very good at it. It should also be able to be replaced by another of similar type. I would therefore look at the behaviours and design around these first. Not saying I wouldn't do inheritance, but its not something I think of from the onset, it usually happens down the line when I re-factor. – WeNeedAnswers Nov 3 '10 at 12:19
It is only then a GOOD idea, IFF you can manage it to not shoot in your own foot. But anyway, OOP is always prone to bad designs; so if your language allows other paradigms than OOP, to use OOP in this case is definitely a BAD choice.
At least in C++, the child class defines in which sequence all the initialisations are made; that are the initialisations of all member-variables and the constructors of all parent classes. This has to be considered!
Alternatively, you could give the constructor (as parameter) a pointer to a specific function (I would prefer static functions), instead of calling an abstract member-function. This could be a far more elegant and sane solution; and this is the usual solution in (probably all) non-OOP languages. (in java: A pointer to one function or a list of functions is the design pattern of an interface and vice versa.)
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58249 | Take the 2-minute tour ×
I'm trying to develop a web version of an app we have that stores document images. However, a good portion of the images are tiff's, which IE can't natively display. Can anyone recommend a good plugin that will display them properly?
share|improve this question
5 Answers 5
Wouldn't it make more sense to have the web application convert the images to something standard either on the fly or using some caching mechanism and then allowing the user to download the tiff format if necessary?
share|improve this answer
IIRC, the QuickTime plugin handles TIFF acceptably - however at the cost of having QuickTime around. Unfortunately this is not negligible - QuickTime has never been too friendly on Windows systems.
share|improve this answer
QuickTime should work, but keep in mind that TIFF files are usually not optimized for size, and are often much larger than JPEG resp. PNG renderings of the same image.
To avoid slow page loads, it might be better to convert the images to JPEG resp. PNG for display, as others suggested
share|improve this answer
What does "resp." mean? – Kip Jan 23 '09 at 18:18
Yes, respectively. Which of these formats is better will depend on the contents of the images. JPEG is usually more appropriate for photos and the like, while PNG is better for charts, screenshots etc. – oefe Jan 24 '09 at 14:33
Thanks, oefe - but I was actually just responding to Kip's question... :) – Mihai Limbășan Jan 29 '09 at 20:11
I found a good one at alternatiff.com, in case anyone is interested.
share|improve this answer
quicktime will do it.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58250 | Take the 2-minute tour ×
I need to test a serial port application on Linux, however, my test machine only has one serial port.
Is there a way to add a virtual serial port to Linux and test my application by emulating a device through a shell or script?
Note: I cannot remap the port, it hard coded on ttys2 and I need to test the application as it is written.
share|improve this question
8 Answers 8
up vote 49 down vote accepted
You can use a pty ("pseudo-teletype", where a serial port is a "real teletype") for this. From one end, open /dev/ptyp5, and then attach your program to /dev/ttyp5; ttyp5 will act just like a serial port, but will send/receive everything it does via /dev/ptyp5.
If you really need it to talk to a file called /dev/ttys2, then simply move your old /dev/ttys2 out of the way and make a symlink from ptyp5 to ttys2.
Of course you can use some number other than ptyp5. Perhaps pick one with a high number to avoid duplicates, since all your login terminals will also be using ptys.
Wikipedia has more about ptys: http://en.wikipedia.org/wiki/Pseudo_terminal
share|improve this answer
On linux you can use the openpty / forkpty system calls. See man page – MattSmith Oct 27 '08 at 5:25
how to create a virtual serial port pair by using command line tool? – linjunhalida Jan 20 '10 at 2:53
note that many serial port parameters, e.g. baudrate, parity, hw flow control, character size (?) are not implemented in pty, it is thus impossible to test your application in presence of serial transmission errors. – qarma Apr 3 '12 at 7:10
This is helpful, but it describes the "old style" BSD pseudo-terminals. The "new style" UNIX 98 pseudo-terminals operate a bit differently—see pts man page for details. – Craig McQueen Aug 21 '12 at 3:16
The advantage of using old-style ptys in this question is he really wanted one to be named /dev/ttys2. Old-style ptys can be renamed easily, new style ones not so much. Normal people should use new-style ptys as you say. – apenwarr Aug 22 '12 at 4:18
Complementing the @slonik's answer.
You can test socat to create Virtual Serial Port doing the following procedure (tested on Ubuntu 12.04):
Open a terminal (let's call it Terminal 0) and execute it:
The code above returns:
2013/11/01 13:47:27 socat[2506] N PTY is /dev/pts/2
2013/11/01 13:47:27 socat[2506] N starting data transfer loop with FDs [3,3] and [5,5]
Open another terminal and write (Terminal 1):
cat < /dev/pts/2
this command's port name can be changed according to the pc. it's depends on the previous output.
2013/11/01 13:47:27 socat[2506] N PTY is /dev/pts/**2**
2013/11/01 13:47:27 socat[2506] N PTY is /dev/pts/**3**
you should use the number available on highlighted area.
Open another terminal and write (Terminal 2):
echo "Test" > /dev/pts/3
Now back to Terminal 1 and you'll see the string "Test".
share|improve this answer
Thanks, works perfectly fine. :-) – lpapp Nov 16 '13 at 19:06
This worked better for me than slonik's answer, because it auto-assigns to virtual COM port files, and doesn't echo. – gbmhunter Jan 8 '14 at 4:17
Use socat for this: e.g: socat PTY,link=/dev/ttyS10 PTY,link=/dev/ttyS11
share|improve this answer
This worked well for me, tested with minicom! Seems as though the input to one terminal gets echoed to both (so it will reappear on the input terminal also). – gbmhunter Jan 8 '14 at 4:09
There is also tty0tty http://sourceforge.net/projects/tty0tty/ which is a real null modem emulator for linux.
It is a simple kernel module - a small source file. I don't know why it only got thumbs down on sourceforge, but it works well for me. The best thing about it is that is also emulates the hardware pins (RTC/CTS DSR/DTR). It even implements TIOCMGET/TIOCMSET and TIOCMIWAIT iotcl commands!
On a recent kernel you may get compilation errors. This is easy to fix. Just insert a few lines at the top of the module/tty0tty.c source (after the includes):
#ifndef init_MUTEX
#define init_MUTEX(x) sema_init((x),1)
When the module is loaded, it creates 4 pairs of serial ports. The devices are /dev/tnt0 to /dev/tnt7 where tnt0 is connected to tnt1, tnt2 is connected to tnt3, etc. You may need to fix the file permissions to be able to use the devices.
I guess I was a little quick with my enthusiasm. While the driver looks promising, it seems unstable. I don't know for sure but I think it crashed a machine in the office I was working on from home. I can't check until I'm back in the office on monday.
The second thing is that TIOCMIWAIT does not work. The code seems to be copied from some "tiny tty" example code. The handling of TIOCMIWAIT seems in place, but it never wakes up because the corresponding call to wake_up_interruptible() is missing.
The crash in the office really was the driver's fault. There was an initialization missing, and the completely untested TIOCMIWAIT code caused a crash of the machine.
I spent yesterday and today rewriting the driver. There were a lot of issues, but now it works well for me. There's still code missing for hardware flow control managed by the driver, but I don't need it because I'll be managing the pins myself using TIOCMGET/TIOCMSET/TIOCMIWAIT from user mode code.
If anyone is interested in my version of the the code, send me a message and I'll send it to you.
share|improve this answer
I'd be interested to see your code. Can you contribute it back to the tty0tty project? However, I'd prefer to see people improve the pseudo-terminal code in the Linux kernel. E.g. add hardware handshaking support and TIOCMIWAIT. – Craig McQueen Mar 20 '13 at 9:47
"If anyone is interested in my version of the the code, send me a message and I'll send it to you." Yes, I'm interested! Can you point to it somewhere, e.g. on GitHub? – Craig McQueen Jul 1 '13 at 2:26
I uploaded the driver to: github.com/pitti98/nullmodem Sorry it took so long to reply. I'm not very active on stackoverflow and overlooked your comment! – Peter Remmers Nov 13 '13 at 20:57
@PeterRemmers: thanks anyway. Do you plan to maintain it? – lpapp Nov 16 '13 at 18:55
No, I wrote it because I needed it and stopped once it was good enough to do what I wanted. Now that it's public, I hope it's useful for someone else, and maybe someone picks up where I left it. – Peter Remmers Nov 16 '13 at 21:16
You may want to look at Tibbo VSPDL for creating a linux virtual serial port using a Kernel driver -- it seems pretty new, and is available for download right now (beta version). Not sure about the license at this point, or whether they want to make it available commercially only in the future.
There are other commercial alternatives, such as http://www.ttyredirector.com/.
In Open Source, Remserial (GPL) may also do what you want, using Unix PTY's. It transmits the serial data in "raw form" to a network socket; STTY-like setup of terminal parameters must be done when creating the port, changing them later like described in RFC 2217 does not seem to be supported. You should be able to run two remserial instances to create a virtual nullmodem like com0com, except that you'll need to set up port speed etc in advance.
Socat (also GPL) is like an extended variant of Remserial with many many more options, including a "PTY" method for redirecting the PTY to something else, which can be another instance of Socat. For Unit tets, socat is likely nicer than remserial because you can directly cat files into the PTY. See the PTY example on the manpage. A patch exists under "contrib" to provide RFC2217 support for negotiating serial line settings.
share|improve this answer
Would you be able to use a USB->RS232 adapter? I have a few, and they just use the FTDI driver. Then, you should be able to rename /dev/ttyUSB0 (or whatever gets created) as /dev/ttyS2 .
share|improve this answer
Using the links posted in the previous answers, I coded a little example in C++ using a Virtual Serial Port. I pushed the code into GitHub: https://github.com/cymait/virtual-serial-port-example .
The code is pretty self explanatory. First, you create the master process by running ./main master and it will print to stderr the device is using. After that, you invoke ./main slave device, where device is the device printed in the first command.
And that's it. You have a bidirectional link between the two process.
Using this example you can test you the application by sending all kind of data, and see if it works correctly.
Also, you can always symlink the device, so you don't need to re-compile the application you are testing.
share|improve this answer
I can think of three options:
Implement RFC 2217
RFC 2217 covers a com port to TCP/IP standard that allows a client on one system to emulate a serial port to the local programs, while transparently sending and receiving data and control signals to a server on another system which actually has the serial port. Here's a high-level overview.
What you would do is find or implement a client com port driver that would implement the client side of the system on your PC - appearing to be a real serial port but in reality shuttling everything to a server. You might be able to get this driver for free from Digi, Lantronix, etc in support of their real standalone serial port servers.
You would then implement the server side of the connection locally in another program - allowing the client to connect and issuing the data and control commands as needed.
It's probably non trivial, but the RFC is out there, and you might be able to find an open source project that implements one or both sides of the connection.
Modify the linux serial port driver
Alternately, the serial port driver source for Linux is readily available. Take that, gut the hardware control pieces, and have that one driver run two /dev/ttySx ports, as a simple loopback. Then connect your real program to the ttyS2 and your simulator to the other ttySx.
Use two USB<-->Serial cables in a loopback
But the easiest thing to do right now? Spend $40 on two serial port USB devices, wire them together (null modem) and actually have two real serial ports - one for the program you're testing, one for your simulator.
share|improve this answer
Actually the null modem USB UART cables seem like quite an elegant solution to me as it supports both local testing (get an USB hub if you are short on ports) and remote debugging. – Maxthon Chan Oct 20 '14 at 16:31
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58251 | Take the 2-minute tour ×
How can I reload an HTML base web page only once? I am using history.go(0); with function onLoad in body tag but i want to run it only once. Please keep in mind that i am using iframe so this is not possible to to use the below types code:
<script language=" JavaScript" ><!--
function MyReload()
<Body onLoad=" MyReload()" >
the above code not worked for me
but the below code is work good but the problem is that i need it to loads once
share|improve this question
Why the BOLD TAGS, the nineties are long gone – Ibu May 28 '11 at 7:57
you are tryin to reload everytime it loads, why are you trying to reload in the first way, maybe there is better alternative – Ibu May 28 '11 at 7:58
This doesn't make any sense whatsoever, as soon as the page loads, it would reload and be a new page so it would reload again (for the first time for that load). I guess you are trying to get the browser to show the most recent content, that is done with cache control. – Quentin May 28 '11 at 7:58
Can you explain why do you need to do that, so that our suggestions will be more in-context? – sergio May 28 '11 at 8:01
@lbu @Quentin read my question i need it loads once because i am using iframe when user click on link it loads a iframe than i want to load the whole with the same which he opens recently – Usman May 28 '11 at 8:01
3 Answers 3
up vote 4 down vote accepted
You could use a querystring at the end of the page url (e.g. ?r), and check for it before redirecting, as if it exists, the redirect is already done.
if(window.location.href.substr(-2) !== "?r") {
window.location = window.location.href + "?r";
Disclaimer: I agree with others that you probably have a better solution - and should never need to refresh 'just once'.
Explanation of use
At the bottom of your page, just above the </body> you should put this:-
<script type="text/javascript">
window.location = window.location.href + "?r";
That's it.
share|improve this answer
sorry is not a good answer, only post when u are not sorry – Ibu May 28 '11 at 8:02
i am not to good in html and javascript i understand what you try to teach me but i am unable to do this. – Usman May 28 '11 at 8:09
@Ibu, @Danish - updated to clarify. – isNaN1247 May 28 '11 at 8:09
@lbu still did not get it because i am not to good in javascript please explain it more where to use and what can i have to do – Usman May 28 '11 at 8:14
@Danish - updated for you – isNaN1247 May 28 '11 at 8:18
<script type="text/javascript">
//Check if the current URL contains '#'
// Set the URL to whatever it was plus "#".
url = document.URL+"#";
location = "#";
//Reload the page
Due to the if condition the page will reload only once. Hope this will help.
share|improve this answer
this works - but it appends a # to the URL - not ideal. This also effects the browser 'back' button because it goes back to the non-url appended page. How can you refresh the page once on load - without appending the URL? – Jackson_Sandland Aug 11 '14 at 20:36
This approach worked well for me – emery Mar 16 at 19:39
The only way I can think of to do this is by using cookies (or if your on the right platform, sessions) and flag the first time it has reloaded, variables might also work in this case, because we're speaking about IFRAME, but I have never tried such thing.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58252 | Take the 2-minute tour ×
I am modifying my app to be able to catch if a user tries to publish without having the facebook app installed (required for SSO). Here is the code I am using:
ApplicationInfo info = getPackageManager().
getApplicationInfo("com.facebook.android", 0 );
return true;
} catch( PackageManager.NameNotFoundException e ){
return false;
The problem is, it is always catching an error. According to the question here, I need to request the appropriate permission but I don't know what permissions I need to request.
Is my problem a permission one or something else?
share|improve this question
3 Answers 3
up vote 55 down vote accepted
com.facebook.android is the package name for the Facebook SDK. The Facebook app is com.facebook.katana.
share|improve this answer
Intent i = new Intent(android.content.Intent.ACTION_VIEW);
this code worked for me
share|improve this answer
Best Approach is to pick the package name including com.facebook but anyway you may use following packages:
• com.facebook.orca
• com.facebook.katana
• com.example.facebook
• com.facebook.android
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58253 | Take the 2-minute tour ×
This is not really specific to Moq but more of a general Mocking framework question. I have created a mock object for an object of type, "IAsset". I would like to mock the type that is returned from IAsset 's getter, "Info".
var mock = new Mock<IAsset>();
mock.SetupGet(i => i.Info).Returns(//want to pass back a mocked abstract);
mock.SetupProperty(g => g.Id, Guid.NewGuid());
The problem I am running into is Mocking this returned property value.
mock.SetupGet(i => i.Info).Returns(//this is the type I need to mock);
The property holds an abstract type. This type extends XDocument.
public abstract class SerializableNodeTree : XDocument, ISerializable{...}
So.. what I would like to do is this:
var nodeTreeMock = new Mock<SerializableNodeTree>();
nodeTreeMock .SetupGet(d => d.Document).Returns(xdoc);
xdoc is a XDocument instance. This will not work because the XDocument.Document getter is not virtual. Which makes sense.
Should I just hand code a mock that is derived from SerializableNodeTree or is this there a way to Mock this object?
share|improve this question
2 Answers 2
up vote 3 down vote accepted
In a case like this, I would treat XDocument as a standard, non-mockable object like strings and most POCOs and native types. That is to say, you should create a real (non-mocked) SerializableNodeTree to return from IAsset.Info.
Another option is to make SerializableNodeTree implement an interface that has all the methods you want to mock, and have IAsset.Info return that interface type instead of a SerializableNodeTree directly.
share|improve this answer
I decided just to use your first suggestion and created a test implementation of SerializableNodeTree – Nick Jul 29 '11 at 16:05
In this case I would create a test double that derives from your abstract class. That'll give you what you need in your test.
public class SerializableNodeTreeDouble : SerializableNodeTree
public new XDocument Document
public void TestMethod()
SerializableNodeTreeDouble testDouble = new SerializableNodeTreeDouble();
testDouble.XDocument = xdoc; // your xdoc
Hope this helps.
share|improve this answer
If the Document property is not virtual, you can hide the original Document property, but you cannot override it. Therefore, I would expect that the mock class won't call the property getter that you have defined. – StriplingWarrior Jul 28 '11 at 23:53
The new Modifier will hide the base classses implementation, thus allowing us to mock out the dependency here (not ideally though). Here is the MSDN for the new Modifier. msdn.microsoft.com/en-us/library/435f1dw2.aspx – Brian Dishaw Jul 29 '11 at 10:59
Yes, the new modifier is what you'd use to hide the original Document property. But code that calls SerializableNodeTree.Document won't end up calling SerializableNodeTreeDouble.Document even if the underlying object is a SerializableNodeTreeDouble. In order to get that behavior you'd need to override the method, which can be done neither statically nor via Moq if the defined method is not abstract or virtual. – StriplingWarrior Jul 29 '11 at 15:55
Right, if the code is called directly via the namespace it won't call the double. So what does the code here do? It is explictly calling SerializableNodeTree.Document or just Document property? If it's the second new should be just fine, right? (Not trying to beat a dead horse, just like the discussion) – Brian Dishaw Jul 30 '11 at 0:30
@BrianDishaw Since it's typed as SerializableNodeTree in the mocked class, it will also call the property on that type, getting the original implementation. Hiding something using new doesn't really work well with polymorphism. – MEMark Sep 8 '14 at 21:09
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58254 | Take the 2-minute tour ×
I'm using JSLint to verify most of my external Javascript files, but the largest amount of errors I'm getting is from functions being used before they're defined.
Is this really an issue I should worry about?
It seems FF,IE7,Chrome don't care. Functions like the popular init() which I use often, normally stick at the top as that makes sense to me (I like to pretend it's analogous to main()) will, according to JSLint, need to be pushed to the bottom of the file.
share|improve this question
8 Answers 8
up vote 53 down vote accepted
If you declare functions using the function keyword, you can use them before they're declared. However, if you declare a function via another method (such as using a function expression or the Function constructor), you have to declare the function before you use it. See this page on the Mozilla Developer Centre for more information.
Assuming you declare all your functions with the function keyword, I think it becomes a programming-style question. Personally, I prefer to structure my functions in a way that seems logical and makes the code as readable as possible. For example, like you, I'd put an init function at the top, because it's where everything starts from.
share|improve this answer
As this is the top rated google hit and other people might not be seeing it at first in the jslint tool, there is a option called "Tolerate misordered definitions" that allows you to hide this type of error.
/*jslint latedef:false*/
share|improve this answer
Setting that option to true does not seem to "solve" this problem for me. – Markus Amalthea Magnuson Dec 13 '12 at 19:19
I am experiencing the same issue as Markus. – M. Herold May 23 '13 at 18:55
Could you share your javascript? @M.Herold – kontur May 24 '13 at 12:59
That JSLint option is not available any more in Dec. 2013 ... – Mathias Bader Dec 19 '13 at 15:06
@PeterMajeed No, it's not. Chris is not asking about how to tolerate misordered definitions. – borisdiakur Jan 14 '14 at 10:25
If you're using jshint you can set latedef to nofunc, which will ignore late function definitions only.
Documentation - http://www.jshint.com/docs/options/#latedef
Example usage:
/* jshint latedef:nofunc */
function noop() {}
Hope this helps.
share|improve this answer
This is the 2014 solution. – Roel van Uden Jul 4 '14 at 18:46
+1. Setting "latedef": "nofunc" in .jshintrc worked for me. – Kunal Kapadia Sep 15 '14 at 8:09
Is this solution for jshint only? I use "Brackets" and I get a lot of lint warnings. Should lint be compatible with this hint solution. I didn't get it to work. – Andreas Jansson Oct 16 '14 at 14:50
From jslint's website (http://www.jslint.com/lint.html), you can read about a /*global*/ directive that allows you to set variables that are assumed to be declared elsewhere.
Here is an example (put this at the top of the file):
/*global var1,var2,var3,var4,var5*/
The :true :false is not actually needed from my experience, but it looks like it's recommended from what I read on the site.
Make sure the initial global statement is on the same line as /*, or else it breaks.
share|improve this answer
Also for me the word global has to be directly after the asterisk, with no spaces or else it will be ignored. – Carl Pritchett Sep 2 '13 at 21:49
I had the following node script that was generating the warning in this question. I tried using latedef only to learn it had been removed. I tried to add a comment to the answer above but I lack the reputation to do so. As you can see, declaring the function in the global comment followed by a true to indicate that it is writable fixes the warning.
/*jslint indent: 4, node: true, stupid: true*/
/*global require: false, process: false, readFileSync: false, touchPath: true */
var path = require('path'),
fs = require('fs'),
argv = process.argv,
argc = argv.length;
function enumPaths(pathname, num) {
"use strict";
var files = fs.readdirSync(pathname).sort(),
count = files.length,
i = 0,
file = '';
file = path.resolve(pathname, files[i]);
touchPath(file, num);
function touchPath(pathname, num) {
"use strict";
var sec = num * 24 * 60 * 60,
stat = {};
try {
stat = fs.statSync(pathname);
fs.utimesSync(pathname, (stat.atime / 1000) - sec, (stat.mtime / 1000) - sec);
if (stat.isDirectory()) {
enumPaths(pathname, num);
} catch (err) {
function main(argc, argv) {
"use strict";
if (argc !== 4) {
console.log('usage: %s %s dir num', argv[0], argv[1]);
} else {
touchPath(argv[2], argv[3]);
if (!String.prototype.format) {
String.prototype.format = function () {
"use strict";
var args = arguments;
return this.replace(/\{(\d+)\}/g, function (match, number) {
var result = args[number] || match;
return result;
main(argc, argv);
share|improve this answer
To disable this warning in jshint for all files, place this in your .jshintrc file:
"latedef": false
share|improve this answer
You can always declare the offending function at the top
eg: var init;
.... but then you'll have to remove the "var" when you get to the true definition further down:
init = function() { };
share|improve this answer
Warning: init = function(){} is not the same as function init() {} ECMAScript has different rules for anonymous functions, that is what the first is. – Ron Wertlen Oct 17 '13 at 19:33
it is very unfortunate the latedef option was removed. This is essential when trying to create a 'class' with an interface at the top, ie,
function SomeClass() {
var self = this;
self.func = func;
function func {
This style is very common but does not pass jsLint because func is 'used' before being defined. Having to use global for each 'memeber' function is a total pain.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58255 | Take the 2-minute tour ×
C++11 §
void swap(basic_ios& rhs);
Effects: The states of *this and rhs shall be exchanged, except that rdbuf() shall return the same value as it returned before the function call, and rhs.rdbuf() shall return the same value as it returned before the function call.
What is this partial swapping useful for?
Can it cause trouble?
share|improve this question
Alf P. Steinbach asking a question. Unbelievable. :| – Nawaz Nov 16 '11 at 7:18
This is really surprising. If I swap two things I'd really expect them to swap; if I'd had a bug and found it wasn't swapping rdbuf, I'd assume it was an implementation bug. – GManNickG Nov 16 '11 at 7:27
Quite surprising indeed. I checked the first FinalDraft I had (n3092) and it's exactly the same. I wonder if it was identical in C++03, maybe a legacy remnant ? – Matthieu M. Nov 16 '11 at 7:32
Does this make swap "inconsistent" with move assignment? Or does moving a stream leave the buffer behind too? If it's inconsistent, then there could be potential trouble if someone assumes in generic code that for any type T, the final result of swap(t1,t2) is the same as the final result of T t3(move(t1)); t1 = move(t2); t2 = move(t3);. – Steve Jessop Nov 16 '11 at 9:38
2 Answers 2
up vote 20 down vote accepted
You can blame me for this one. The committee has tried to change (twice I think), but each time the solution ended up breaking things.
Swap and move semantics was retrofitted onto our I/O system a decade after it was designed. And it wasn't a perfectly clean fit.
Note that basic_ios::swap is a protected member function and there is no namespace-scope variant. Thus this can only be called from a derived class (typically istream/ostream). Note that i/o_stream::swap is also protected and with no namespace-scope variant. And their spec is to call the base class swap and then swap any local data (such as the gcount in istream).
Finally up at the string/filestream level you get what you would consider a "normal" swap: public member and namespace-scope variants. At this level you've got a data member string/file buffer (the rdbuf) and the base class. The swap at this level simply swaps the base and data members.
The complicating characteristic of all this is that the rdbuf() down in the base class is actually a self-referencing pointer to the derived class's streambuf (basic_filebuf or basic_stringbuf) and that is why you don't want the base class to swap these self-referencing pointers.
This makes the base swap weird, but everyone is protected from it except the derived clients. And the code for the derived client's swap is subsequently deceptively simple looking. And at the derived level, swap is made public and behaves in the manner that public clients expect it to.
A similar dance is made for move construction and move assignment. Move construction is further complicated by the fact that the base class is a virtual base, and thus its constructor is not called by the most directly derived class.
It was fun. It looks weird. But it ultimately works. ;-)
Slight Correction:
Alberto Ganesh Barbati is responsible for protecting swap at the i/ostream level. It was a very good call on his part that I had completely missed with my first design.
share|improve this answer
So, tl;dr: The base class doesn't know how to swap the derived class' buffer and that's why it leaves that to the derived classes? What about a virtual swap function in basic_streambuf? – Xeo Nov 16 '11 at 18:08
I haven't prototyped that design, but I'm guessing it could work. The spec at the derived level then looks a little weird though: swap your base class but not your data member. – Howard Hinnant Nov 16 '11 at 18:11
True, seems like either the base or derived specification has to look weird with the current implementation of iostreams. On a side-note, have you ever thought about redesigning iostreams or replacing them with something else entirely? I can see that this would hurt backwards compatability badly, but assuming that would be no problem.. are there ideas circulating through the committee, e.g. for inclusion in Boost or sth? – Xeo Nov 17 '11 at 2:31
I personally poured some time into a replacement I/O system a few years ago. But it never got further than a hobby. However I think there is a potential here. I'd love to see something that was naturally thread-safe internally (like C), and that handled localization in a more data-driven (rather than algorithm-driven) way (like C). But retain the type-safety and potential performance enhancements of type-safe-binding of C++. And with 20-20 hindsight, I would just assume Unicode and drop support for non-Unicode encodings. But I am not aware of an organized effort in this area. – Howard Hinnant Nov 17 '11 at 2:44
I only have one speculative answer...
If the author assumed that a stream may use an internal buffer (for example a char buffer[50] data member), then this provision is necessary as obviously the content of the buffers may be swapped, but their address will remain unchanged.
I do not know whether it is actually allowed or not.
share|improve this answer
you can replace buffer via rdbuf function. – Cheers and hth. - Alf Nov 16 '11 at 7:41
@AlfP.Steinbach: Yes, but where does the original buffer comes from ? It's bound to be allocated somewhere, and I don't find anything preventing me from using an internal array for it. – Matthieu M. Nov 16 '11 at 7:46
the buffer is an object of type basic_streambuf<charT, traits>, or derived. it can be replaced via stream.rdbuf( pMyNewBuffer ). the basic_ios destructor is documented as not destroying the rdbuf() object, so it's entirely possible to put that object as a direct member, but the class still has to support changing the rdbuf() pointer. – Cheers and hth. - Alf Nov 16 '11 at 7:55
@AlfP.Steinbach: I didn't say you could not change it. struct S { char buffer[64]; char* ptr; }; with ptr originally pointing at buffer allows to change ptr while still having an inner buffer to start with. – Matthieu M. Nov 16 '11 at 8:13
Thinking about it yes, with an ordinary full swap allowing the direct member buffer would prevent swapping between objects with different lifetimes. One object's buffer pointer could then become dangling at some point. However, if I really needed swap for a class with such issue, then I would solve that by requiring the buffer to be dynamically allocated and imposing some lifetime management, not by defining a partial swap? – Cheers and hth. - Alf Nov 16 '11 at 9:00
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58256 | Take the 2-minute tour ×
I'm trying to bring out a glossy xml drawable gradient as a background to a layout. I am already using the start color and end color boring linear gradient.
android:type="linear" />
Is there any way to control its range of flow? Please some one help.
Ok, I have done a little hack around method to get a nice glossy looking title bar,
Linear Layout (with a gradation - drawable background, specifying all the start and end color values separately) Over this are the icons, (I used Image buttons with transparent BG), and over this another Relative Layout (with may be a drawable gradient or a fixed, grey color - for glossiness - android:background="#20f0f0f0" ) Here 20 is defining the Alpha value.
P.S, This might not be a correct work around, but I'm quiet satisfied with this because switching themes according to clients needs is much faster when compared to 9 patch PNG files (hey, BTW this is just my opinion on it)
And this link is so informative on this,
share|improve this question
1 Answer 1
up vote 5 down vote accepted
you cant control its range of flow but instead you can use another property centerColor. you should try the center color Property in gradient for glossy background.
i used this in my application .
hope this will work for you
share|improve this answer
Yes, center color is a choice but it will end me up with a 3 color gradient. P.S - I have tried this, but I'm looking for the glossy look to it. – Wesley Dec 22 '11 at 7:15
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58257 | Take the 2-minute tour ×
I have a facebook application that is a tab inside a fan page.
I have used the signed request to see if a user likes the page and show content based on that.
I have also managed to use get the facebook user id after prompting the user to log in and grant access to the application.
What I CAN'T do, is get the 'apprequests' functionality to work. I have tried it a couple of ways:
FYI - am using this version of jquery: https://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js
<script type="text/javascript">
window.fbAsyncInit = function() {
FB.init({ appId: 'myappid', xfbml: true, cookie: true, oauth: true });
function inviteFriends() {
method: 'apprequests',
message: 'Enter this cool competition http://www.facebook.com/pages/My-Test-Fan-Page/204123762998981?sk=app_308637695832192',
redirect_uri: 'http://www.facebook.com/pages/My-Test-Fan-Page/204123762998981?sk=app_308637695832192',
display: 'iframe'
function (response) {
when I do this, there are 2 issues (and I think they're probably related) 1. The request isn't sent to the selected users 2. The function for the response isn't called. When I call the FB.ui method, I can selected users, but when I do that, the dialog shows a loading screen and just shuts down.
One thing that I found strange was that when I didn't include the 'redirect_uri' parameter (which from what I can see should not be necessary), I got an error saying the application did not own the call back url.
I have also tried doing it this way
var message = 'Enter this cool competition';
var requestUrl = 'http://www.facebook.com/dialog/apprequests?app_id=308637695832192&redirect_uri=http://localhost:51934/Default.aspx&message=' + message;
window.top.location.href = requestUrl;
This also appears to work, I can select users and it appears to work - I get the users that I added in the to[0], to[1], etc query string paramaeters.
Is there anything I'm doing that's wrong and could be causing this? When I request the user to authorize the app, I'm just requesting standard access, as far as I can tell from the Facebook docs this is all that should be required. I'm also wandering if there's some limitations on what can be done inside a page ta?
Any help would be greatly appreciated.
share|improve this question
1 Answer 1
I have been wrestling all night with this issue too and think I may have a possible solution for you to try.
For number 1) In the app settings I had only set the urls for the Page Tab option, when I selected to ALSO have the app as a facebook app suddenly the requests were delivered and all showing.
For number 2) I had redirect_uri set and the call back function was not being called, the dialog would just close. I think redirect_uri is only actioned when the display is popup. Try removing the redirect_uri option and the display option
By the way, I was also getting that error regarding not owning the redirect uri. I don't know for sure what I changed that meant I stopped getting it but suspect it was when I moved the sdk init html to just after the body tag as described here https://developers.facebook.com/docs/reference/javascript/ I had previously had it just before the close of the body tag. Hope this helps.
share|improve this answer
#1 was my problem and this fixed it! Thanks! – sevenseacat May 1 '12 at 6:29
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58278 | Take the 2-minute tour ×
I'm unifying the encoding of a large bunch of text files, gathered over time on different computers. I'm mainly going from ISO-8859-1 to UTF-8. This nicely converts one file:
recode ISO-8859-1..UTF-8 file.txt
I of course want to do automated batch processing for all the files, and simply running the above for each file has the problem that files whose already encoded in UTF-8, will have their encoding broken. (For instance, the character 'ä' originally in ISO-8859-1 will appear like this, viewed as UTF-8, if the above recode is done twice: � -> ä -> ä)
My question is, what kind of script would run recode only if needed, i.e. only for files that weren't already in the target encoding (UTF-8 in my case)?
From looking at recode man page, I couldn't figure out how to do something like this. So I guess this boils down to how to easily check the encoding of a file, or at least if it's UTF-8 or not. This answer implies you could recognise valid UTF-8 files with recode, but how? Any other tool would be fine too, as long as I could use the result in a conditional in a bash script...
share|improve this question
Note: I've looked at questions like superuser.com/questions/27060/… and they do not provide an answer for this particular question. – Jonik Mar 6 '10 at 16:04
4 Answers 4
up vote 3 down vote accepted
This script, adapted from harrymc's idea, which recodes one file conditionally (based on existence of certain UTF-8 encoded Scandinavian characters), seems to work for me tolerably well.
$ cat recode-to-utf8.sh
# Recodes specified file to UTF-8, except if it seems to be UTF-8 already
result=`grep -c [åäöÅÄÖ] $1`
if [ "$result" -eq "0" ]
echo "Recoding $1 from ISO-8859-1 to UTF-8"
recode ISO-8859-1..UTF-8 $1 # overwrites file
echo "$1 was already UTF-8 (probably); skipping it"
(Batch processing files is of course a simple matter of e.g. for f in *txt; do recode-to-utf8.sh $f; done.)
NB: this totally depends on the script file itself being UTF-8. And as this is obviously a very limited solution suited to what kind of files I happen to have, feel free to add better answers which solve the problem in a more generic way.
share|improve this answer
Both ISO-8859-1 and UTF-8 are identical on the first 128 characters, so your problem is really how to detect files that contain funny characters, meaning numerically encoded as above 128.
If the number of funny characters is not excessive, you could use egrep to scan and find out which files need recoding.
share|improve this answer
Indeed, in my case the "funny characters" are mostly just åäö (+ uppercase) used in Finnish. It's not quite that simple, but I could adapt this idea... I'm using UTF-8 terminal, and grepping for e.g. 'ä' finds it only in files that are already UTF-8 (i.e. the very files I want to skip)! So I should do the opposite: recode files where grep finds none of [äÄöÖåÅ]. Sure, for some of these files (pure ascii) recoding's not necessary, but it doesn't matter either. Anyway, this way I'd perhaps get all files to be UTF-8 without breaking those that already were. I'll test this some more... – Jonik Mar 6 '10 at 17:54
UTF-8 has strict rules about which byte sequences are valid. This means that if data could be UTF-8, you'll rarely get false positives if you assume that it is.
So you can do something like this (in Python):
def convert_to_utf8(data):
return data # was already UTF-8
except UnicodeError:
return data.decode('ISO-8859-1').encode('UTF-8')
In a shell script, you can use iconv to perform the converstion, but you'll need a means of detecting UTF-8. One way is to use iconv with UTF-8 as both the source and destination encodings. If the file was valid UTF-8, the output will be the same as the input.
share|improve this answer
Thanks, seems useful - I'll try this the next time when batch converting text files – Jonik Aug 22 '10 at 16:31
This message is quite old, but I think I can contribute to this problem :
First create a script named recodeifneeded :
# Find the current encoding of the file
encoding=$(file -i "$2" | sed "s/.*charset=\(.*\)$/\1/")
if [ ! "$1" == "${encoding}" ]
# Encodings differ, we have to encode
echo "recoding from ${encoding} to $1 file : $2"
recode ${encoding}..$1 $2
You can use it this way :
recodeifneeded utf-8 file.txt
So, if you like to run it recursively and change all *.txt files encodings to (let's say) utf-8 :
find . -name "*.txt" -exec recodeifneeded utf-8 {} \;
I hope this helps.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58279 | Take the 2-minute tour ×
I have a flash drive that I used not too much but, after few month of inactivity, it died. I know that flash drives have a limited write cycles but I am sure that this is not the problem.
I tried to create a new partition table and format the drive nothing worked. This is the output of mkfs.ext2.
marco@pinguina:~$ sudo LANG=en.UTF-8 mkfs.ext2 -v -c /dev/sdc1
[sudo] password for marco:
mke2fs 1.41.11 (14-Mar-2010)
fs_types for mke2fs.conf resolution: 'ext2', 'default'
Calling BLKDISCARD from 0 to 4001431552 failed.
Filesystem label=
OS type: Linux
Block size=4096 (log=2)
Fragment size=4096 (log=2)
Stride=0 blocks, Stripe width=0 blocks
244320 inodes, 976912 blocks
48845 blocks (5.00%) reserved for the super user
First data block=0
Maximum filesystem blocks=1002438656
30 block groups
32768 blocks per group, 32768 fragments per group
8144 inodes per group
Superblock backups stored on blocks:
Running command: badblocks -b 4096 -X -s /dev/sdc1 976911
badblocks: Input/output error during ext2fs_sync_device
Checking for bad blocks (read-only test): done
Block 0 in primary superblock/group descriptor area bad.
Blocks 0 through 2 must be good in order to build a filesystem.
Is there something I can do to recover it?
share|improve this question
Recover the Data or recover it for continued use? – Moab Jan 9 '11 at 17:00
@Moab: I wanna recover my drive as I like it – mg. Jan 9 '11 at 19:02
2 Answers 2
Try seeing if it has a backup super block that you can use to repair it.
There is a good article here that could give you some ideas (It's on ext3, not sure if it will work on ext2).
Try this to see if you have a chance of it working:
$ dumpe2fs /dev/sdc1 | grep superblock
share|improve this answer
Thank you Dan but I tried ext2 because maybe linux tools handle better this filesystem type but originally the partition was formatted as fat32 – mg. Jan 9 '11 at 19:08
up vote 0 down vote accepted
It seems the drive died definitely. I can not format it with any tool I tried.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58280 | Take the 2-minute tour ×
I bought a netbook yesterday, (I'm loving it) but I will never understand why they need to be a lot of processes running on background. I worry about other users who have no idea about it and continue using their computers with occasional choppiness due to 70 processes on background occupying most of the memory
I'd like to keep my memory consumption below 500MB (I have 1 GB) is this possible? What are your ideas for this to work?
I always run Microsoft Security Essentials at startup and real time protection, how many features can I disable to reach my goal memory usage?
share|improve this question
Having a lot of processes is not necessarily bad. Having a lot of active processes is, but usually, many of those processes are just idling there with zero CPU use, and probably swapped out to disk too. (Creation of processes is expensive on Windows, true, but it doesn't happen very often.) Similarly, current operating systems (including Windows 7) use otherwise-free memory for caching, and when needed it can be freed instantly. – grawity Jan 30 '11 at 15:43
Why do you want to keep memory consumption below 500 MB? You have 1 GB, so using only half of that is wasting half your memory. I can see wanting to keep it somewhere below 1 GB to prevent things from paging too much, but there's no reason to try to limit it that far. – nhinkle Jan 30 '11 at 20:25
2 Answers 2
up vote 1 down vote accepted
Blackviper is the most popular guide I know of. Also, Pc Decrapifier helps if you have OEM rubbish (you almost certainly do, even on netbooks..). These two will help, but your limits are fairly arbitrary and not entirely logical in terms of letting your programs run quickly. 70 is a lot, you could easily get it down to 25 (I think, not had much experience with Vista/7) and still be on browsers, with all services you actually use like MSE.
edit: Three things to add. You must restart to get the full effects of both of these. Msconfig is overrated at best, its fairly dangerous or useless. Services.msc (or whatever 7 and Blackviper calls it) is much better. Msconfig can also remove startup items, but you'd get rid of the ones you don't want with Decrapifier, and if you want more use HiJackThis which needs understanding so you could post its log here or on any decent tech forum of your choice. But in that order - Blackviper, restart, DeCrapifier, restart, HJT, restart, judge speed.
share|improve this answer
+1, BlackViper, Vista and W7 have more processes than XP, I doubt they can be trimmed down to 25 and still function properly. – Moab Jan 30 '11 at 19:34
Along with the Blackviper site to trim down Windows Services, you can also use Msconfig to trim down unnecessary startup applications that load when Windows does.
share|improve this answer
Thank y'all for your comments and answers. I had like 20 startup processes and disabling them (except for security essentials) is well enough for a performance boost. – overmann Feb 2 '11 at 0:50
Thats great, glad you go all the bloatware disabled in startup. – Moab Feb 2 '11 at 1:27
Is it recommended to disable all the services that are not from Microsoft? I went down to 35 processes minimum with those disabled, and 500-600MB of RAM occupied at all times. – overmann Feb 4 '11 at 15:48
@ overman, Depends on the programs they are related to, disabling them will render the program unusable, however you can go into "Windows Services" directly from Control panel and set those particular services to "Manual" startup, this way they don't load with windows but the program can start the service if it needs it. If you don't use the associated program, then it is safe to disable it. – Moab Feb 4 '11 at 16:35
It's alrighty then. This is exactly what I did with windows XP (going down to 19 processses) When I had a celeron at 700Mhz. It really helped back then. To be honest, I would do the same if I had an Intel i7 Quad Core. I'm a little obssesed with "vanilla" performance. And not using processes that I absolutely don't need. – overmann Feb 4 '11 at 17:58
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58281 | Take the 2-minute tour ×
One of the computers on our network ran out of harddisk space, and it turned out the size of the Windows folder is given as nearly 70Gb (when going to my computer, then the c drive) and then right clicking and selecting properties of the windows folder. However, when selecting all files and folders within that folder and right clicking and selecting properties the total size is only about 4Gb. Hidden files and folders are shown and selected while doing this. All folders are set to show hidden files and folders. Thinking the file system is borked, I did do a file system check on a restart, but the file system was found to be fine. At first offline folders where set to be used, but I did disable that and restart. What can the cause be and how do I fix this?
share|improve this question
Files you do not have permissions for are not counted. Could be a root kit. – KCotreau Jul 7 '11 at 13:38
Use disk cleanup to delete all but the most recent restore point, – Moab Jul 7 '11 at 14:35
2 Answers 2
I can recommend trying WinDirStat.
It's a good way of visualizing what actually takes up space in a folder.
share|improve this answer
The cause is hardlinks, or more properly: using a tool which doesn't understand hardlinks to count the folder size.
Hardlinks are a mechanism by which a single file may have more than one name. A very common example is the WinSxS folder. This contains a large list of DLL names. All of those DLLs have other names as well, in other folders. Many of those other names are in the System32 directory. As a result, any naive tool will count them at least twice when trying to figure out the size of \Windows\.
"Rightclinking" suggests that you used Explorer, which indeed doesn't know about hardlinks.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58282 | Take the 2-minute tour ×
I am currenlty working in a controlled enviroment where I dont have access to admin rights. Now, I am looking for some way to install Java on this vary machine. I have got a java installer.
Is there exist some way to achieve this?
share|improve this question
migrated from stackoverflow.com Sep 9 '11 at 7:07
This question came from our site for professional and enthusiast programmers.
I don't think so. A workaround is to install the JDK on a machine you have full control of. Then copy the whole directory to the controlled machine, I've never seen a JDK that really requires any registry keys... – home Sep 9 '11 at 6:58
@home: Correct. See heraly.be/wiki/doku.php?id=java:setupportablejava for proof that it works. – unforgettableid Jan 15 at 2:44
Dear OP: 1. Why didn't you have admin rights? 2. Why didn't the sysadmin install the JDK for you? 3. Perhaps you could have created a VM on the machine, and installed the JDK into the VM. 4. Really, you could have used a Windows equivalent of the Unix fakeroot tool. This is a tool which lies to applications and makes them think that they are running as the local administrator when they are, in fact, not. I don't know whether or not a Windows equivalent of fakeroot exists. – unforgettableid Jan 15 at 2:48
My two penneth as a sys admin. If it's a controlled environment then that's for a reason. Installing SW introduces risks and unknown incompatibility issues. Speak to your IT department, we genuinely aren't there to just say no. We want to help users the best we can. Not to mention installing SW is probably against the IT policies and could get you in hot water with your boss – Joe Taylor Mar 31 at 10:22
3 Answers 3
You can download the JDK and extract it. You will find a tools.zip file that you need to extract in a folder under the user path. Then you have to locate all the .pack files (they are in \lib and \jre\lib folders) and unpack them in the same folders with the unpack200 command, available itself in the \jre\bin folder.
I created a script to do this that just asks you the folder where you unzipped tools.zip and then it executes all the necessary commands.
Here you can find the whole procedure and the script:
echo off
REM Author: Molinari Davis - www.davismol.net
REM Version: 0.1
REM Date: 29/08/2014
if "%1"=="/processFile" goto processFile
SET /P commandPath=Insert the jdk folder path:
SET commandName=\jre\bin\unpack200.exe
FORFILES /p %commandPath% /s /m *.pack /c "cmd /c call "%~f0" /processFile @path"
goto :EOF
SET outputName=%2
SET outputName=%outputName:pack=jar%
SET fullCommand=%commandPath%%commandName% %2 %outputName%
REM echo %fullCommand%
echo ERROR in extraction of file: %outputName%
) else (
echo Extracted file: %outputName%
share|improve this answer
Hi Davis. Whilst this may theoretically answer the question, it would be preferable to include the essential parts of the answer here, and provide the link for reference. Especially with links to your own website, we tend to flag this as spam. Please rather post the actual answer here. – slhck Mar 31 at 12:47
Hi and thank you for reply, even I didn't understand downvotes. I provided the solution to the question in my reply (download the file, unzip tools.zip, locate the .pack files and unpack them with the unpack200 command). Then I added a link (yes, it's to my own blog, because I wrote a post on this topic time ago) just to provide an enhancement to the solution and to put at disposal of everybody the script to automate the process and to avoid to do everything manually. If you consider the link as spam just delete it, but the solution still remains valid (and script it's just something more). – Davis Molinari Apr 1 at 8:46
I know, that's why I did not delete the post. I edited it to include the script, since we've seen lots of links go down over the course of several years. In that case, the essential solution is still available here. +1 from me, too. The "spam" rule only applies to users repeatedly posting links to their own blog instead of providing solutions on our site. It's not the case with you, so you're fine. – slhck Apr 1 at 9:11
Maybe not so good idea, but you can try to download Processing, it is a Java covered programming language as it contains a portable version of Java JDK. You can erase everything except Java an use it.
share|improve this answer
I was looking for a way to install a JDK without an installer, so your suggestion looked promising. Are you sure it is a Java JDK? I don seem to be able to find javac.exe – Peter Hofman Jan 23 '14 at 11:28
You can install it in a per-user location, and place the path to JDK in the Path environment variable. You could use a setup authoring tool like Advanced Installer or InstallShield, of free tools like WiX or NSIS.
That should make it accessible to other apps searching for the JDK tools. Not the best way, but can't see any other choice in lack of admin privileges.
share|improve this answer
and for install these installer you need admin rights. It is not seems a solution. – user710818 May 29 '13 at 7:43
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58283 | Take the 2-minute tour ×
I have two images to compare: Opera version and Firefox version Look at how ugly the font rendered in opera. Did you guys have an idea how to fix it?
FYI: 1. I'm using Ubuntu Jaunty 2. With XFCE desktop (but, gnome and KDE4 is installed too)
share|improve this question
for added information. The url is: opera.com/company/jobs/list – ariefbayu Sep 4 '09 at 5:50
The url for firefox version is: yfrog.com/4oscreenshot1firefoxp – ariefbayu Sep 4 '09 at 5:52
2 Answers 2
up vote 3 down vote accepted
Opera has trouble using core X fonts, you can disable them though.
Under ~/.opera/opera#.ini (where # represents version) add:
Enable Core X Fonts=0
in the [User Prefs] section of the file.
share|improve this answer
thanks, I did't use your solution though, because it fixed already when I use opera 10:D – ariefbayu Sep 4 '09 at 7:53
Some information available at an Opera forums thread about the issue.
share|improve this answer
sorry, I can't vote you UP, I don't have enough rep point – ariefbayu Sep 4 '09 at 7:52
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58284 | Take the 2-minute tour ×
I am a little confused about what XP mode in Windows 7 (Professional) even is. XP mode seems to be a mode in which you can run XP-compatible applications that are otherwise incompatible with Windows 7. The web seems to say that XP mode is a downloadable add-on that, in theory, works with any version of Windows 7 -- provided that you have a processor that supports hardware visualization.
What I don't understand as I price various Windows 7 Professional laptops (my first) is why some models appear to come with XP mode, whereas others do not. For example, the XPS line of Dell laptops does not appear to come with (nor be compatible with?) XP mode -- see, for example, this page on Dell's site. If you configure one of these machines, there is no mention anywhere that I can see of XP mode. On the other hand, the Latitude line of Dell laptops does mention XP mode -- see, for example, this page. You can choose to include XP mode, and you even have your choice of 32- or 64-bit OS.
Is there any reason for this difference? The processors and video cards available for these systems seem very comparable. Do you think it would be wise to select a system with XP mode preinstalled, or do you think that installing XP mode on my own, from the web, could be difficult because of potential incompatibilities with the processor and/or video card?
Thanks for your time!
share|improve this question
2 Answers 2
up vote 7 down vote accepted
3 basic requirements:
Personally I would not pay to have it come pre-installed on a new PC.
share|improve this answer
Especially since you can download VMWare Player and a number of other virtualization applications for free, and VMWare has its – ultrasawblade May 9 '12 at 23:46
The requirement for hardware virtualisation was lifted in a later update. microsoft.com/windows/virtual-pc/support/faq.aspx – Indrek May 9 '12 at 23:58
@Indrek Thanks, forgot about that. – Moab May 10 '12 at 0:34
I will say that from my tests with older systems that don't support hardware virtualization, while you might get it working that has to be relatively beefy system to get decent performance out of it. Since most platforms these days do support hardware virtualization anyway, this is still sort of an unofficial requirement. (There are certainly configurations where it'll work acceptably, though) – Shinrai May 10 '12 at 0:45
@ultrasawblade An important difference between XP Mode and VMWare Player etc. would be the WinXP license. I believe XP Mode comes with a licence for Windows XP, whereas for VMWare you'd have to provide one. – frozenkoi May 10 '12 at 0:49
Well, Windows XP mode is meant for business users to run legacy applications under Windows 7. It is less uesful for home and game users as the thing uses remote desktop protocol to connect to the VM and can't usefully render any 3D graphics or play video.
Thus it's just natural for the business oriented Latitude lines to promote it and even have it pre-installed on their system images. Most XPS users will probably never use it, so why waste the disk and advertising space?
As long as you have a Windows 7 Pro / Enterprise / Ultimate license. XP mode is just a 400MB download anyway.
share|improve this answer
"Remote Desktop Protocol"? No, it runs in a VM, that isn't even remotely right. – Shinrai May 9 '12 at 23:25
@Shinrai I just wish people who have no exprience with the technology in question could verify their facts before they post: blogs.technet.com/b/windows_vpc/archive/2009/08/27/… Scroll down to "Engineering Overview". Long story short: the old MS Virtual PC has no seamless mode, so to integrated it better with Windows 7, they just run applications as remote apps. – billc.cn May 9 '12 at 23:34
I'll admit that I forgot the actual container interface in Windows 7 had some of the same support, so scratch where I said 'isn't even remotely right'. I do think terming it like that is a bit disingenuous, though, since they still run in a VM, which is a much bigger hurdle for performance on a lot of systems (especially if they don't support hardware virtualization already). Also, please keep the personal attacks out of here; it's very uncalled for and childish (and anyway my credentials are made explicitly visible; I might suggest you do the same). – Shinrai May 10 '12 at 0:41
You're RDPing into a VM... why is wrong to say as much? – Multiverse IT May 10 '12 at 4:48
Points taken. Answer edited. – billc.cn May 10 '12 at 9:09
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58285 | Take the 2-minute tour ×
Possible Duplicate:
Can the Windows 7 system reserved partition be deleted without problems?
While installing Windows 7, I see that there's a "Disk 0 Partition 1 : System Reserved" partition with Total Space as 100 MB and Free Space as 71 MB. I never created that partition manually, and while deleting it, it gives a warning that it might contain system files, etc. Is that partition really necessary? Because Windows 7 already has limitation on the number of partitions.
EDIT: Just forgot to mention, the type is shown as "System".
share|improve this question
marked as duplicate by Bob, Indrek, Dave M, Moab, Sathya Jun 1 '12 at 6:39
It sounds like your using dynamic partitions. If that is the case this partition does not count against your limit. Of course you would be a fool to partition your hdd a great deal because frankly you are then less likely to backup your system. – Ramhound May 31 '12 at 11:35
If you format the entire drive NTFS (single partition) before installing Windows 7 it will not create the system partition during installation. – Moab May 31 '12 at 19:53
1 Answer 1
I have tried it out, by deleting it you wont be able to boot into windows on restart. So avoid doing so. :)
This link might help you by creating an extended partition.
share|improve this answer
Whilst this may theoretically answer the question, it would be preferable to include the essential parts of the answer here, and provide the link for reference. – Sathya May 31 '12 at 13:26
|
global_05_local_5_shard_00000035_processed.jsonl/58286 | Take the 2-minute tour ×
I have a thermaltake chassis v9 blackx edition, can I disconnect a hard drive connected to the top bay while the computer is on?
There is any configuration, motherboard, bios settings, or software needed for that?
share|improve this question
This isn't a question about the case, but of the mainboard and (maybe) the drive. – Baarn Sep 8 '12 at 22:10
That's right, after enabling AHCI in the motherboard bios I can connect and eject the drives while the PC is running – user63227 Sep 10 '12 at 0:23
Your Answer
Browse other questions tagged or ask your own question. |
global_05_local_5_shard_00000035_processed.jsonl/58287 | Take the 2-minute tour ×
I'd like to test a PSU using the paper clip method connecting the green wire with one of the black ones, but I wonder if I can power it on, without applying a load, or if this could damage it.
share|improve this question
Beware of false positive results if you test your PC's PSU without a load. If the expected voltage is not present, then there is probably a fault. If the expected voltage is present, then you have to do another test with a load on the line. Voltages present without a load do not prove that a PSU is OK. – sawdust Nov 19 '12 at 1:50
3 Answers 3
up vote 3 down vote accepted
A properly-functioning consumer PC power supply should not be damaged by turning it on without a load. It should regulate the voltages on the various outputs to the proper levels (so you could measure them with a meter) but there won't be any current.
share|improve this answer
This may only be true for PC power supplies, since these are bought by uninformed customers. This is not a correct answer for power supplies in general, since switch-mode power supplies typically specify a minimum load. Even if there is no damage, an unloaded PSU will typically have a voltage that is out of spec (e.g. too high), and is no guarantee that the voltage will hold when a load is applied. So it is not a meaningful test. – sawdust Nov 19 '12 at 0:48
Researching, I agree that you're right and wondering if I should delete my answer. A switching supply does typically need a minimum load and some can be damaged if operated no load. For this reason, switching supplies sometimes have a minimum internal load. – Nicole Hamilton Nov 19 '12 at 1:22
Power "bricks" and the wall "wart" style of PSUs are examples that can be operated without a load. No need to delete (I didn't bother down voting it), but instead of posing as a general purpose answer, make it specific to the instance of the OP's situation, i.e. PC power supplies. – sawdust Nov 19 '12 at 1:31
I've taken your suggestion but invite you to edit my answer to improve it. – Nicole Hamilton Nov 19 '12 at 1:41
I think the original question implicitly states that its a ATX-style PSU. – Journeyman Geek Nov 19 '12 at 1:49
Its pretty common to convert desktop PC power supplies to desktop lab power supplies, and they recommend adding a 10 ohm, 10 watt load between the 5v and ground connectors to ensure proper operation. You're unlikely to damage it from a quick test, but you could always connect an old HDD or CD rom drive to provide a load (and to check if it actually works).
Its also apparently a good idea to connect the orange 3.3 volt wire to the brown sense wire to enable the PSU to sense what voltage its giving out to self adjust.
Considering I've not seen warnings about running a laptop type PSU without a laptop attached to it, I guess those would be safe.
share|improve this answer
Not that I know. I've powered up several PSUs manually (shorting the green lead to any black lead) without any issues. For one thing, most larger AC adapters, such as those for laptops, are switched-mode power supplies and never have any problems with no-load scenarios.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58288 | Take the 2-minute tour ×
I use Filezilla to upload new images to my Magento site. Then I empty the cache, refresh my page and see the changes. So far so good. Then after a few minutes I refresh the same page again and gone are the changes I uploaded before. The older version images are now shown What is going on?
I changed the FTP client, refreshed the cache of my browsers before and after and so on; nothing helps. I still can't get newer files to replace the old ones on my sites.
Someone have an idea what's wrong here?
share|improve this question
Did you try another browser to see if it's a site issue vs. your browser cache? – nerdwaller Dec 11 '12 at 16:12
Is the file upload actually successful? What does FileZilla tell you in the log? – Ali Dec 11 '12 at 17:15
1 Answer 1
From the information you provided, it looks to me like you are having a caching problem. Try emptying the browser cache or using a different browser to see if this is actually the problem.
share|improve this answer
Your Answer
|
global_05_local_5_shard_00000035_processed.jsonl/58315 | Foxconn, a company most famous for building Apple's iPhones and other iGoodies, but also responsible for assembling lots of other tech wonders, encountered an unwelcome controversy this weekend when 2,000 workers rioted, requiring the government to dispatch 5,000 armed officers. (Watch amateur video footage of the riot below.) In the end, 40 people were hospitalized, several workers were arrested, and Foxconn shut down the factory to give everyone a chance to cool down. The riot is only the latest in a string of woes for Foxconn, which faced scrutiny after a riot at another plant in June. What does this growing unrest tell us about Foxconn, and the evolving state of business and labor in China? Here, three theories:
1. China's labor unrest remains murky
We don't know for sure what caused the riot, says Mark Memmott at NPR. Authorities are calling it a "personal dispute" between workers, but employees have used social media to complain that the riot was sparked by long-running tensions, created in part by daily security checks to prove employees aren't stealing products and "allegations that security guards constantly push around the workers and in some cases have even beaten them."
2. But the problems are clearly bigger than a single dispute
The cause of this fight is indeed murky, but we can make some educated guesses, says Paul Mozur at The Wall Street Journal. It's almost certainly rooted in the problems that have plagued Foxconn — and other massive Chinese corporations — for months: An increasingly vocal labor force seeking higher wages, shorter hours, and better treatment. The growing stress of the tension between China's working and corporate classes means that it doesn't take much to "make a situation like this explode."
3. And Chinese workers may try to band together
"China isn't just going to have another 25 years like the last 25 years," says Matthew Yglesias at Slate. Rapid industrialization has meant that increases in productivity have outpaced increases in wages, creating "a dynamic ripe for windfall profits but also for labor activism." Still, the Chinese government has done its best to create "an unpromising ground for union organizing." Then again, without union-managed pension funds and union-owned buildings, Chinese labor organizations have a lot less to lose if they strike. |
global_05_local_5_shard_00000035_processed.jsonl/58316 | Tolkien Gateway
J.W. Braun
Revision as of 10:49, 31 August 2011 by Morgan (Talk | contribs)
J.W. Braun (born 1975[1]) is an American writer. He is the author of The Lord of the Films and has contributed to the The Lord of the Rings Fan Club magazines.[2]
[edit] External links
[edit] References
1. J. W. Braun at (accessed 31 August 2011)
2. "The Author" at (accessed 31 August 2011) |
global_05_local_5_shard_00000035_processed.jsonl/58320 | Paul Jacob
One is an attempt to weaken term limits. Legislators tried that in 2004 and got clobbered by voters, but this is a clever effort, not seeking to increase the number of terms most representatives may serve but the l e n g t h of each term. Very smooth.
There's also convoluted language in the measure that would especially apply to former legislators like himself. (Yes, and this is an important point: Ormond was term limited out of the state House of Representatives last January.)
Believe it or not, Ormond's other ballot measure is even more self-serving. It's an attempt to get a lottery and gambling commission into the state. It's another of his perennial attempts at constitutional tinkering. And, get this, the title of the measure names himself, Charles Ormond of Morrilton, Arkansas, as the first commissioner of this new agency. For a ten-year term, no less. And at a "reasonable" salary, which commissioners would set for themselves.
Let me pause here. I have to suppress laughter. And a sort of grudging admiration. If you go into politics to serve yourself, why not go all the way?
Back when he was serving the people, Ormond was dubbed the worst legislator in Arkansas. But what's he aiming for now that he's out, "worst citizen"?
Maybe just "most ridiculous."
Of course, he has plenty of competition. Just go into the blogosphere, and ridiculousness sort of blooms, like the lovely spring dandelions on my lawn (lovely is my adjective, of course; my wife has other words for them).
This whole column could be devoted to ridiculous arguments encountered on blogs.
I'll list only one, just to acknowledge the mountain under the molehill. Here goes:
When Brett Narloch of the North Dakota Policy Council came out with a proposal to require government schools to put their budgets on public-access Web pages, he got some strange criticism. The blogger for the state's Democratic Party attacked, but didn't address one single issue of Narloch's proposal. Instead, he sniped at Narloch's past political activities, noting Narloch liked CAFTA, and had advocated private accounts in Social Security to the current uninvested pension system.
And then the blogger asks, "I wonder if there's a hidden agenda in his new scheme?"
Maybe. Maybe not. It's irrelevant, really. For why would anyone want a government-supported institution to keep its books away from voters? To demand no hiding doesn't reveal a hidden agenda. But to oppose this "unhiding" reveals a preference for, well, hidden agendas galore . . . that is, hidden spending.
Amusingly, elsewhere on the Democratic blog the Bush administration comes under criticism for lack of transparency.
When our foes self-destruct, they save us so much trouble. And in cases where we have actual, fighting enemies, our enemies' self-defeats attain an almost "metaphysical level of importance" (to channel John McLaughlin for a moment). The very best kind of enemy is the kind that does our work for us.
Writing for the Asia Times, Brian Glyn Williams profiles "The world's worst suicide bombers."
Yes, you read that right. Not all of our enemies who want us dead succeed. Many fail. Spectacularly. As Williams puts it:
An analysis of the attacks carried out in the past two years reveals a curious fact. In 43% of the bombings conducted last year and in 26 of the 57 bombings traced in this study up to June 15 this year, the only death caused by the bombing was that of the bomber himself. This means that, astoundingly, about 90 suicide bombers in this two-year period succeeded in killing only themselves.
Now, I have long objected to the term "suicide bombers." Those who succeed are secondarily suicides; primarily they are murderers. But when they don't succeed, as in the cases Williams focuses on, that is indeed all they are, suicide bombers.
The glorious incompetence shown by these Afghan suicide bombers almost beggars the imagination. One Taliban would-be bomber got arrested before he could even accomplish the act of self-immolation: the man was pushing his explosives-filled car towards its target.
He had run out of gas.
I think the prayer of thanks can, in this one case at least, be honorably made in the form of a laugh.
Paul Jacob
|
global_05_local_5_shard_00000035_processed.jsonl/58321 | Robert Novak
A few hours later, Pillar discussed the Iraqi war in a context of increased aversion to the U.S. -- an attitude he said his East Asia section at the CIA was aware of three years ago and feared would be exacerbated by U.S. military intervention. When Pillar was asked why this was not made clear to the president and other higher authorities, his answer was that nobody asked -- not even DCI Tenet.
The CIA official spokesman said Pillar's West Coast appearance was approved by his "management team" at Langley as part of an ongoing "outreach" program. However, the spokesman said, Pillar told him that the fact I knew his name meant somebody had violated the off-the-record nature of his remarks. In other words, the CIA bureaucracy wants a license to criticize the president and the former DCI without being held accountable.
Through most of the Bush administration, the CIA high command has been engaged in a bitter struggle with the Pentagon. CIA officials refer to Defense Secretary Donald Rumsfeld and Under Secretary Douglas Feith as "ideologues." Nevertheless, it is clear the CIA's wrath has now extended to the White House. Bush reduced the tensions a little on Thursday, this time in a joint Washington press conference with Allawi, by saying his use of the word "guess" was "unfortunate."
Modern history is filled with intelligence bureaus turning against their own governments, for good or ill. In the final days of World War II, the German Abwehr conspired against Hitler. Soviet intelligence was a state within a state. More recently, Pakistani intelligence was plotting with Muslim terrorists. The CIA is a long way from those extremes, but it is supposed to be a resource -- not a critic -- for the president.
Robert Novak
©Creators Syndicate |
global_05_local_5_shard_00000035_processed.jsonl/58323 | TRINUG holds monthly meetings where locally & nationally recognized speakers are selected to talk about a new technology or to go in depth on various topics. TRINUG also hosts several Special Interest Groups (SIGs) that each meet about once a month.
(c) 2015 Triangle .Net User Group
Free software developer training and resources for Raleigh, Durham, Chapel Hill, North Carolina |
global_05_local_5_shard_00000035_processed.jsonl/58325 | View Single Post
Old 11-27-2012, 03:25 AM #218
Hall Of Fame
Join Date: Feb 2009
Location: Ukraine
Posts: 2,517
Originally Posted by Ten_nuts View Post
I also had this strange feeling: when i held the 25th in my hand, the racquet looked beautiful. After playing 2 sets and while sitting down, drinking water, and looking at both the 25th and the IG P98, i thought the IG P98's paintjob is prettier than the 25th. Maybe at night, the red color under the lights looks so beautiful, and the 25th's black color is In short, the 25th plays almost similar to the IG P98
So, I'm glad it's the black version in limited supply, not the burgundy red, sparkling in night lights, feeling smooth and soft...
Breaking the sound barrier with my forehand
maxpotapov is offline Reply With Quote |
global_05_local_5_shard_00000035_processed.jsonl/58327 | * It was stated in the novelization and hinted in the script that Programs have some vestigial memories and emotional patterns from their Users. Also, the closest we get to an explanation of why the Programs are what they are is Gibbs's line about "our spirit remains in every program we design." Gibbs may have meant it metaphorically, but the in-universe explanation is probably ''very'' literal.
* Related, and moving from the departed Fridge Sorrow: The Users have [[CreatingLifeIsUnforeseen no idea about the Programs being living, sentient beings capable of love, friendship, and a social order entirely of their own.]] Even in the Legacy era, Alan has no idea what a heroic creature his virtual "son" is [[spoiler: nor the horrific, twisted thing he became]]. Roy Kleinburg will ''never'' know what a sweet, good-natured, and brave Program Ram was.
* Whenever a program is derezzed rather than fall down dead, whats left of them floats upwards presumably to nowhere. After learning about what MCP does to dead programs, this troper thinks that the ones that get killed also get assimilated by him. In other words the heroes are making him stronger by killing the bad programs.
* The ending is a CrowningMomentOfHeartwarming. Flynn comes out of the helicopter, vindicated at last. He's got Dillinger's job running day to day operations, he's made peace with Lora and Alan, and they're now a PowerTrio, walking off into the sunset. It is the high point in the entire franchise. [[{{Tron20}} Because no matter what]] [[{{Film/TronLegacy}} timeline you pick]], [[HappyEndingOverride it all goes to hell from there]] and their victories and happiness will be fleeting at best. By the time the sequel(s) end, Encom is in shambles, over 2/3 of the characters are dead/de-rezzed, and the other 1/3 end up with dim survival odds or even a FateWorseThanDeath with one of the SpinOffspring left to pick up the pieces of what's left. .
* As stated elsewhere, Tron is a ''firewall'', even though the term had never been used before. In fact, few companies in 1982 had anything like a firewall, save a simple password protect.
* When Flynn repairs the Recognizer, it makes perfect sense, since ''he wrote Space Paranoids''. He probably is the only User who ''could'' repair one, at least so quickly, because ''he is familiar with the code''!
* The whole Tron/Yori ship: I realize that, in-film, the whole ship was probably just an "as above, so below" shout out to the Bradleys and a means to point out that the Program and User worlds were NotSoDifferent. It was still very sweet, especially in the Daley novelization. A moment fridge brilliance is involved when it hit me - she's a system maintenance utility and he's the damn firewall. ''Of course'' they're [[PerfectlyArrangedMarriage practically designed for one another]].
** Is she? I thought she ran simulations.
*** She does - and therefore has local admin access within the minicomputer that's running the research simulations. in the "outside", and in real life, if ENCOM's running, say, IBM's family of mainframes and minis, then the lab would have most likely been running off a System/34 mini, which would talk onwards to the main kit. Or the Solar Sailer project would have been running on this gear. Lora would have higher-level access locally, hence Flynn was trying to authenticate at a higher level and ride admin privs in. - alcockell
*** She is some kind of debugging or rendering utility for the laser. When Gibbs & Lora are shooting the laser at the orange, there's a readout in the lower right that says "Rom Yori, Load Yori." -- {{Tropers/Allronix}}
*** According to Cindy Morgan , she was told that Yori has some instinctual knowledge of Lora's life, and she even has an inkling she and Flynn used to fool around.
* The original movie makes more sense if you make it your personal canon that the MCP is oppressing the other programs on the system not by depriving them of ''energy'', but rather ''CPU time''. And the SpaceWhaleAesop is, don't give an AI program sysadmin privileges over the system it runs on. -- [=SuddenFrost=]
* After Walt Disney's death, there were (very false) rumors that he was put in [[HumanPopsicle cryogenic stasis]]. The rumors were fueled inadvertently, in part, by Disney staff making comments about proceeding with company decision making, "as if Walt were still here." Now, think about this and the "Flynn Lives" movement...
* The debate between Dillinger and Gibbs about what their processing goals should be (serving the end user versus serving the business's bottom line) is surprisingly prophetic, as this debate eventually fueled the entire evolution of the PC market that was still in its infancy at the time. In Hindsight, the Dillinger/Gibbs relationship even has a Steve Jobs/Steve Wozniak vibe going on.
** Acknowledged by Steven Lisberger, who said that in 1982, it was still unknown which medium the computers would gravitate to: the artists or the businessmen.
* The religious parallels between "programs-users" and "humans-gods". Not just the parts where Flynn is basically a Christ figure for the computer world, but the whole fact that not only are most programs not entirely sure if users even exist, but the users aren't even ''aware'' that they have created these intelligent beings in their computers. Take this setup a step up into the real world (the novelization takes a few more steps in this direction than the film), and you basically have real-world Deism - the reason we don't see God(s) is because they don't even realize we're here, or self-aware!
* More Fridge Sadness, but...Ram was the one who drove the RED cycle. And we all know what happens to the dude in red...
* Minor one, but whenever a program or a user in the guise of a program expresses extreme emotions, their TronLines light up intensely. The big example, being Tron's BigNo causing his blue lines to glow brighter. The same effect happens whenever a program consumes energy from a pure source or is close to dying. Much like how us humans get tired if we are angry or upset, a program's emotional state is burning energy faster the more intense it is. |
global_05_local_5_shard_00000035_processed.jsonl/58328 | Funny moments appearing in [=DeliciousCinnamon=] videos.
[[folder:Pokemon Vietnamese Crystal]]
* ''[[ Episode 1]]'' is where it all begins, with classic phrases like "VOLCANO BAKEMEAT" and "BAG FUCK!"
* In ''[[ Episode 2]]'', Bert and Dubz come across a Caterpie (called Pedal) with some strange moves:
--> '''Bert''': Foe's Pedal, "Hemp Ah!"\\
'''Dubz''': Hemp! No! We've been shot with marijuana! Croc is confused! "Croc is under the influence. It hurt itself in its confusion."
* ''[[ Episode 3]]'': The two have a run-in with [[EdibleThemeNaming Chedr]], who comments on them getting [[RougeAnglesOfSatin Monaters]] before stating he is [[IAmAMonster a monster]] [[]].
* ''[[ Episode 4]]'': Dubz attempts to read some of the gibberish text that appears after catching Caterpie:
--> '''Dubz''': Six-dash-three-question-mark! W! Question-question-question-question! Question-question-question!
** Later, Croc gets poisoned:
---> '''Bert''': "CROC KILLED."\\
'''Dubz''': WE WERE KILLED! [[NotQuiteDead But we're still alive]].\\
'''Bert''': And what's that weird symbol next to our name?\\
'''Dubz''': It's Vietnamese!\\
'''Bert''': It's like a... [[BuffySpeak snowman with two pieces minus the other side]].\\
'''Dubz''': He's, like, peeking out from behind the question mark- wait, why is there a question mark?\\
'''Bert''': "Lost again, pain-" PAINTFUL? It's paintful. It is very paintful.\\
'''Bert''': "Lap? Falled." It always has to question whether or not it had the right Pokemon. "Was it Lap?"
* ''[[ Episode 5]]'': An enemy Caterpie tries to use "Hemp Ah!" which fails because it was "not decided":
--> '''Bert''': He didn't decide well enough.\\
'''Dubz''': It's like, "Hemp... AHHHHHHHH nah."
** They panic over Bean[[note]]their Weedle[[/note]] appearing to only know Harden, until they realize that Poison Sting has no name. When used, all that appears is "Bean !"
** They learn from a zealous old man that Team Rocket is now called MISSILE BOMB.
* ''[[ Episode 6]]'': The two find that the [[IHaveManyNames Madasimumi/Baiming/BM Tower]] is filled with monks who [[RougeAnglesOfSatin practise]] Buddhism and won't destroy the tower even if they are crazy.
* ''[[ Episode 7]]'':
--> '''Bert''': "Trained on the Road of Ultimate." On the Road of Ultimate!\\
'''Dubz''': This guy means business!\\
'''Bert''': "But Bean unhearing." Bean's deaf! No!
* In ''[[ Episode 8]]'', the final monk in the "Madasimumi" tower comes off as a bit of a {{Cloudcuckoolander}}:
--> '''Bert''': "It's this tower to let the monsters andpeople are-"\\
'''Dubz''': Andpeople. "Full of fancy-"\\
'''Bert''': "...for bright future, to affirm-"\\
'''Dubz''': There's an S stuck in the lower right-hand corner.\\
'''Bert''': "...practising place and the last steeling," STEELING, as in metal. "We need to see it is who between me and the man that isn't snapped th- the t-" WHAT IS THIS GUY SAYING!?
* ''[[ Episode 9]]'':
--> '''Dubz''': Who do we have left? Pizza?\\
'''Bert''': Pizza and Steak. Sounds like a good dinner right now.
** Croc ends up learning a move called [[NonIndicativeName Flame]], which is actually Water Gun:
---> '''Bert''': [[SarcasmMode Yeah, that's fitting! That is fitting.]]
* ''[[ Episode 12]]'' starts with Bert getting a Great Ball (called Suppball) and a fishing rod (called [[NonIndicativeName Clothbag]]).
--> '''Bert''': "The Jimu badge is expensive. Are you baught from Zhaochan?"\\
'''Dubz''': ''What the fuck!?'' We don't even know that guy!\\
'''Bert''': We have to pay for badges now?\\
'''Dubz''': Yeah, apparently. Oh, it's a Bird Keeper. That's why.\\
'''Bert''': [[ItIsPronouncedTroPAY It's actually Y Apostrophe S Equals AC.]]\\
'''Bert''': We found soda! ...and we fucked it.
* ''[[ Episode 13]]'' has Bert noticing the many [[NonIndicativeName inconsistencies in the different names]]:
--> '''Bert''': Vulpix is Rok, Water is Flame.\\
'''Bert''': Okay, mountainmen are called Fish.\\
'''Bert''': Wait, VOLT is Rock [Throw]?
** Then, Bert struggles trying to read "Road [[RougeAnglesOfSatin 33th]]".
* ''[[ Episode 14]]'': [[AwesomeMcCoolname SHAOTANZHITEN]]!
--> '''Dubz''': "Do you know... Missile Bomb?" OH NO!\\
'''Bert''': "I want to play with your- with you for relaxing?" [[BigWhat WHAT!?]] Am I gonna get raped?
* ''[[ Episode 15]]'':
--> '''Bert''': "Steak Ah New Milk!" MILK!? is the move.\\
[Bert uses Milk]\\
'''Bert''': "Steak Milk" ...Mean Look. Mean Look is Milk. "It Cann't Escaped!"
* ''[[ Episode 16]]'':
--> '''Dubz''': "Steak, Again?" Another night of steak? Dammit.\\
'''Bert''': Stop using Hate!\\
'''Dubz''': Is that all it knows? It really hates Steak!
** They find out that Beedrill is called Fork, so they send out Bean. This proves to be a poor choice, as Beedrill manages to get five hits with Fury Attack before Bean retaliates with Poison Sting, which is not very effective. Or, as the game and Dubz sum it up:
---> '''Dubz''': "Five Effect! One Result."
* In ''[[ Episode 17]]'', they try to use an item called GOAL as a last ditch effort against Bugsy. The item is used immediately, and they have no idea what it does.
** Instead of a badge, they receive a [[RougeAnglesOfSatin BUDGE]] from Bugsy.
** Bugsy's entire speech after being defeated is hilarious.
* ''[[ Episode 18]]'':
--> '''Bert''': Yeah, you're snoring alright. [[AccidentalInnuendo Now I'm gonna Lick your ass]].\\
[Dubz starts laughing.]\\
'''Bert''': [[ThatCameOutWrong That's not what I meant!]]
** The episode features a rather interesting speech from Chedr as well as an unexpected piece of advice from an old lady.
** Dubz offers his final thoughts before they finish up:
---> '''Dubz''': I wanna watch a Vietnamese person play this, and they, like, actually make sense of all the translations. Like, "Oh yeah, that makes sense." "What did it say?" "THIS, TO BE, AND THEN, THEREFORE, FOR AND BUT I AND IF ONLY THEN. ''Duh!''" "You don't know what you're doing Shung Long Kwai... Mu!"
* In ''[[ Episode 21]]'', they make Steak forget a move to learn a new one, with results in the text "[[MemeticMutation Kuang Steak]]":
--> '''Dubz:''' Guys, if you really want some, put "Yes, please, thank you" in your comments, if you want a Kuang Steak, I will make one for you. It's very spicy.
* ''[[ Episode 23]]'':
--> '''Bert''': "My Sputa will flow down."\\
'''Dubz''': ...''What''? That was sexual.
** They visit the Bike Shop, which advertises that the bikes can "Slide freely" and "walk on all kind of roads":
---> '''Dubz''': My bike can levitate and walk.
* ''[[ Episode 27]]'':
--> [Bert approaches a trainer]\\
'''Bert''': "Wi-"\\
'''Dubz''': "'''WIN!!'''"\\
'''Bert''': ''Jesus!'' You made me jump!
* ''[[ Episode 28]]'':
--> [Bert gets a phone call from "Rocket"]\\
'''Bert''': Rocket's calling! "[[TheUnintelligible HJKSDJFBKGFSDFG]] MS. EGGIE????"\\
'''Bert''': I love how there's two different styles of question marks. "Must win in contest, wait you at 35? Questionmarkquestionmark- See you lat- see you-"\\
'''Dubz''': "See you [[RougeAnglesOfSatin LATTE]]!"\\
'''Bert''': "Phone call is connecting, merge many Baliy at 35? [[WrittenSoundEffect DI]]." I don't even know.
** They try using a move called DUL, which results in the text "HUSHUZ [[AccidentalInnuendo DULDO]]"
* ''[[ Episode 29]]'':
--> '''Bert''': "It is basement to do preparings before go into the water."\\
'''Dubz''': THIS IS BASEMENT! "[[ThreeHundred This is madness! THIS. IS. BASEMENT!]]"\\
[The enemy trainer is about to send out a Pokemon named Cow]\\
'''Bert''': Cow! Cow Start.\\
[A [[NonIndicativeName Wartortle]] is sent out. Dubz starts laughing.]\\
'''Bert''': WHAT? WHAT?\\
'''Dubz''': That is a cow!
* ''[[ Episode 30]]'':
--> [Bert uses the move "Stare" against a Machoke; it's not very effective.]\\
'''Bert''': "One Result." That was terrible.\\
'''Dubz''': Did we use st- why in the world would you-\\
'''Bert''': I don't know, I just wanted to try it out, 'cause- look at his face! I just had to stare at it.
* ''[[ Episode 33]]'' shows Bert's first phone call from Mke "Mike" Boat:
--> '''Bert''': "Seeing! Seeing! It is great! To defeated the Yangzu's Machiba. I'm always at the entrance of gymnasium, to give a normal support. But I was afraided by the ghost floating in the air, inside. [[BlatantLies I'm so unwilling to put down the phone!]] Good bye!"\\
'''Dubz''': This was such an interesting conversation, since you do not answer.\\
'''Bert''': He's so unwilling to put down the phone, he hung up!
* ''[[ Episode 34]]'':
--> '''Bert''': "Don't you feel mystery of the islands which is surrounded by whirlpools." I do feel quite mystery.\\
'''Dubz''': I feel kinda ''[[RunningGag FEARFUL!]]''\\
'''Bert''': [looking at Qwilfish] "[[NonIndicativeName BOAT]]." I would have laughed completely with that "Fearful" but I was too busy reading "BOAT."\\
[Bert defeats the trainer.]\\
'''Bert''': "You are so [[RougeAnglesOfSatin STROG]]."
** When Dubz comments on how the falling shortcut in the lighthouse would probably break one's legs, Bert replies:
---> '''Bert''': At least we're not [[CallBack Shaotanzhiten]], we would've brode our waist.
* ''[[ Episode 35]]'':
--> '''Bert''': "Both the intensity and the benevolent give you the [[RougeAnglesOfSatin budge]]."\\
'''Dubz''': She's benevolently giving the budge.\\
'''Bert''': "Eggie gain Steel Badge from Juzi." So now it's a badge. "Give you the... [[IHaveManyNames Shqilu BUDGE]]..."\\
[Bert gets an item from a tree called Coin.]\\
'''Bert''': We got coins! Money DOES grow on trees!\\
'''Dubz''': It does!\\
'''Game Text''': EGGIE! COIN BAG FUCK\\
'''Dubz''': And apparently it can bring you love too.\\
[Bert gets an item from another tree called Pole.]\\
'''Bert''': What is going on here?\\
'''Dubz''': "Eggie Pole Bag Fuck!"\\
'''Bert''': They're giving us poles and money!\\
'''Dubz''': Eggie's a stripper.\\
[Bert gets another Pole from the third tree.]\\
'''Bert''': Two poles and money.\\
'''Dubz''': Those three trees create exactly what a stripper joint looks like. This is the place to go.\\
'''Bert''': That's where Suicune hangs out on the weekends.
* In ''[[ Episode 37]]'', Bert begins looking for the "[[RougeAnglesOfSatin Passward]]":
--> '''Bert''': "Only the boss know the passward of the door."\\
'''Dubz''': Pass'''ward'''.\\
'''Bert''': "The door can't be opened it need the password!" They got it right that time.\\
'''Dubz''': Now we have to get a password ''and'' a passward. [[CallBack And a budge]].
** The episode also features more memorable dialogue from Chedr:
---> '''Bert''': He's, like, playing out the Chedr role now. "I don't like my lines!"
* In ''[[ Episode 39]]'', the game crashes the first two times Bert tries fighting Pryce. The third attempt, however, presents this dialogue:
--> '''Bert''': "Bullet given by Bet-Boy given by Bet-Boy can use." What?\\
'''Dubz''': [[Film/{{Aliens}} Game over, man!]]\\
'''Bert''': What was that?\\
'''Dubz''': I don't even...\\
'''Bert''': It's the Asian kid who made this.
** There's also [[ this part]] (at the 6:41 mark in the original video).
* ''[[ Episode 41]]'':
--> '''Bert''': "We are from [[ScaryBlackMan Black-Society. Like to do something criminal.]] Are you feared?"\\
'''Dubz''': I am insanely feared right now, guys.\\
'''Dubz''': "'''X?????????????????'''"\\
'''Bert''': "We didn't serve the devil, only do that we want to do."\\
'''Dubz''': *gasps* [[CallBack It's the old lady's reincarnation!]]\\
'''Bert''': We didn't serve the devil, it's okay.\\
'''Dubz''': It's alright that we're part of black-society, and we do things that are criminal, and that you ''might'' have been feared. [[EvenEvilHasStandards We didn't serve the devil.]]
* In ''[[ Episode 42]]'', Bert fights through a gym with trainers specializing in dragon type Pokemon. One trainer disagrees with this:
--> '''Bert''': "[[BlatantLies No one can use dragon type.]]"\\
'''Dubz''': Why is this gym even here?
** Near the beginning, Bert notices how much money they have accumulated by not buying anything:
---> '''Bert''': This is the opposite of in the beginning, where it was like, "Die, die, die."
** Bert misreads a trainer's name (SKIRT'[=S7G=]&) as "Skirt'[[Franchise/StargateVerse Stargate 7]]."
** At one point, Oudal levels up and tries to learn a move called Rage. Bert decides to get rid of Yuja, which is the actual move Rage. This causes Dubz to point out that they [[MindScrew got rid of Rage for Rage]].
* ''[[ Episode 43]]'':
--> '''Bert''': We need to go get EXP Share. From [[CallBack Elf Grandfather]]! It's been a while since we've seen Elf Grandfather.\\
'''Dubz''': That's true, it has been a while.\\
'''Bert''': Maybe he's dead now.\\
'''Dubz''': Terrible. Wusiji Dr. wouldn't be too happy. They were good friends. [[CallBack They were only two men to deal with it]].
** The entire "[[AccidentalInnuendo Come Casually]]" incident.
** Bert becomes increasingly perplexed at the amount of normal trainers who were somehow able to make it into the Dragon's Den.
** When they get to the quiz, they find that all of the answer choices for the questions have been translated into either ???? or "Q4).
* ''[[ Episode 44]]'':
--> '''Bert''': "Hey! You have strided the first step into Guandong. Even so, you should see the map to affirm." It sounds like we're stepping in, like, horse shit or something.
* ''[[ Episode 47]]'': They contemplate how Steak can be hurt by Forretress's Spikes if he is levitating:
-->'''Bert''': "Steak be hurt." Wha-\\
'''Dubz''': Because of the [Spikes].\\
'''Bert''': Yeah, because he's-\\
'''Dubz''': [[SarcasmMode Because he has feet]]!\\
'''Bert''': "Steak Kick!"\\
'''Dubz''': With the feet he has!\\
'''Bert''': The feet that he stepped on the pieces [with].\\
'''Dubz''': It must hurt more.\\
[The Forretress remains asleep for 5 turns.]\\
'''Bert''': Dude, this thing. When it goes to sleep, it's like "I'll see you guys in a few years."
* In ''[[ Episode 48]]'', Bert defeats Bruno of the Elite Four. Bruno's first words upon being beaten? "[[BlatantLies YOU ARE DEFEATED BY ME]]."
* In ''[[ Episode 49]]'', Bert has to fight Bruno again:
--> '''Bert''': "You are defeated by me. No qualification to say. To next house." Now we're in the loser's bracket.\\
[Bert moves on to Karen]\\
'''Dubz''': She's really good for being in the loser's bracket!
* In ''[[ Episode 50]]'', Professor Oak (who is now called Oujiduo) comes to offer Eggie a congratulatory speech, which Bert and Dubz can barely read without cracking up due to how it has been translated. They lose it after reading "[[BigLippedAlligatorMoment THE RESULT IS THE FRUIT]]."
** Then, they struggle trying to read the [[TheUnintelligible credits]]:
---> '''Game Text''': ? !9F-/UQ\\
'''Dubz''': FFFFFF''FUCK!''
** "[[HilariousInHindsight What if we had exactly 50 episodes of this]]?"
* ''[[ Kanto Episode 1]]'':
--> '''Bert''': Hey, it's that [[CallBack snowman]] thing again that everyone told me was "dow" or "doo."\\
'''Dubz''': No, it's a snowman. It's a half snowman. It's what happens when you take a flamethrower to Frosty.\\
'''Bert''': Half of him disappears into a question mark?\\
'''Dubz''': Yeah. In Japanese, a question mark means "puddle."\\
'''Dubz''': [regarding Dream Eater being called Kick] "He's sleeping, ''kick him!''"\\
'''Bert''': "Don't defy death, don't be strong." Fine, we'll just cry in a corner the entire game.
* ''[[ Kanto Episode 2]]'': They find that Mr. Psychic is now called [[AwesomeMcCoolname Super Uncle]], Lt. Surge is now called [[AtrociousAlias Tingsy Major]], and Diglett's Cave is now called Dictator Cave.
* ''[[ Kanto Episode 3]]'': The go to the mart in order to sell some of their items and get more money. This goes horribly wrong when [[spoiler:they try to sell Pointup, which causes the game to crash yet again]].
** Even worse, [[spoiler:they find that they have to fight Lt. Surge again after reloading the last save state]].
** When Bert returns to the shop, he takes a look at some of the item descriptions:
---> '''Bert''': "Renew all states." We use that, it turns into, like, the Civil War.\\
'''Bert''': Coibag: "Only hold can get a landto fish elf"\\
[Dubz starts laughing]\\
'''Bert''': "Only hold can get a landto fish elf." That doesn't even make sense.
** Sabrina's dialogue causes Bert to take a second look:
---> '''Bert''': "You come finally you must come, the feeling existed three years ago. Your aim is to want my badge."\\
'''Dubz''': Of course.\\
'''Bert''': "I don't like frighting, it is my first task to passes the badge to a fit man. If you want-"\\
'''Dubz''': WE'RE A WOMAN! Your special WHAT?\\
'''Bert''': "Try my special function."\\
'''Dubz''': THAT'S GROSS!\\
'''Bert''': That entire speech was wrong.\\
'''Dubz''': "Three years ago, I knew you wanted my budge."
** Finally, there's the story of the imprecatory bike.
* ''[[ Kanto Episode 4]]'':
--> '''Bert''': "Eating game is played in its eatery. You're full while seeing it." You're full while seeing it.\\
[Bert enters the eatery.]\\
'''Bert''': Yeah, I'm full.
** Later, Dubz accidentally calls Ash Ketchum "Ass Ketchum."
* In ''[[ Kanto Episode 5]]'', Bert starts to get rather annoyed at Mike Boat:
'''Bert''': "En! It's you, do you know Zhenfen? [[GenderBender She is my grandson.]]"
* In ''[[ Kanto Episode 6]]'', Bert and Dubz find another wild Haunter and suggest names that would go with Steak.
* ''[[ Kanto Episode 7]]'':
--> '''Bert''': [receiving the Super Rod] "Eggie receive [[NonIndicativeName Bad Rod]]." [[SarcasmMode THANKS]]. "You're so good at fishing, have a Bad Rod!"\\
'''Bert''': "Home of the leader of..."\\
'''Dubz''': "SHAFALIXIAN."\\
'''Bert''': Is he chafing, or something?
* ''[[ Kanto Episode 8]]'':
--> '''Bert''': "A hole with punchy monster."\\
[The [=NPC's=] Itemfinder goes off.]\\
'''Bert''': "My [[NonIndicativeName dance machine]] starts to react." Is he playing one of those [[VideoGame/DanceDanceRevolution DDR]] games while also playing Whack-a-Mole?\\
'''Bert''': "You come, as if you have many gymnasium badges of Shangdao. [[BigLippedAlligatorMoment Don't lick with mouth]]."\\
[Bert and Dubz start laughing, while still being confused.]\\
'''Dubz''': How else am I supposed to lick?\\
'''Bert''': [[PyrrhicVictory I don't even consider this a win, because Steak died]].\\
'''Bert''': "Eggie gain the Blue from-" We just gained the Blue. We didn't even get a badge.
* ''[[ Kanto Episode 9]]'':
--> '''Bert''': "Many Dictator flys from the earth!"\\
'''Bert''': "This is the cave of Tiguta." [[CallBack Is that in any way related to Sputa, and does it flow down?]]\\
'''Bert''': "It's Uncle's guard, you sh- you SHULD make good use of it-"\\
'''Dubz''': [in a Russian accent] "You shuld make good use of it, for it's my gold pearl."
* In ''[[ Kanto Episode 10]]'', Bert and Dubz take a look at some of the stuff in the Pokedex:
--> '''Bert''': Look how heavy [Gastly] is! It's gas!\\
[Bert scrolls down to Haunter.]\\
'''Bert''': Haunter you fat-ass!\\
'''Bert''': "Fun." It's a Fun type!
* ''[[ Kanto Episode 11]]'' features a RunningGag with Mujef and the Jellies being [[AGoodNameForARockBand a good name for a Middle Eastern band]].
* ''[[ Mt. Mortar Part 2]]'':
--> '''Bert''': I don't know why Gyarados can't learn it, though.\\
'''Dubz''': He's a flying type. Plus [[FailedASpotCheck we don't have him in here]].\\
'''Bert''': "Can I drift?" We're gonna drift these waterfalls, man. Price is a drifter, man.\\
'''Dubz''': Yeah, he's one of those people in [[TheFastAndTheFurious Tokyo]]. He's got his cool sunglasses on and his pimped out car. But he's actually really terrible at it, so he starts drifting into the sides of walls and stuff. And the enemy, who is the antagonist of our movie is always winning. But he ends up winning in the end.\\
'''Bert''': Pokemon Viet Crystal: Tokyo Drift.
* ''[[ Catching Entei]]'':
--> '''Bert''': What if I kick it while it's down. Is it gonna kill it?\\
[Bert uses [[NonIndicativeName Kick]] and kills Entei.]\\
'''Dubz''': [laughing] "Is it gonna kill it?"\\
'''Bert''': [[ComicallyMissingThePoint Guys, we did it]].
** When they find and catch a Magnemite, the description says it "emits strong [[RougeAnglesOfSatin currency]]", causing Bert to come up with a plan:
---> '''Bert''': We just capture Magnemites all day, and it emits currency, and you win!
[[folder:Crash Bandicoot]]
* ''[[ Episode 1]]'': Dezz shares an anecdote about how he thought the Aku Aku masks were enemies as a kid.
* ''[[ Episode 8]]'':
--> [Dezz reaches the goal, which is surrounded by boxes.]\\
'''Bert''': Milk them! Milk them all!\\
'''Dezz''': I will milk you for your sweet nectar, boxes!
* ''[[ The Lost Episode]]'': Mysh starts off the level and immediately dies. Funny enough on its own, but [[spoiler:not only does that happen to be his last life, but it turns out they never saved after the previous episode, forcing them to redo all of their work]].
* ''[[ Episode 9]]'':
--> '''Mysh''': [[BuffySpeak They're, like, things that do things]].\\
[Crash dies, shouting his signature "WOAH!"]\\
'''Dezz and Mysh''': WOAH!\\
'''Dubz''': Crash was really interested in what Mysh said! Mysh is like, "There are things that do things." "WOAH! I can't even ''hold'' all this woah!"
* In ''[[ Episode 11]]'', Mysh makes a spectacular maneuver around the 16:09 mark that gets everyone's hearts pounding.
* In ''[[ Episode 12]]'', Dezz shows off his "Bat Summoning Dance" (which is just him rapidly tapping the movement keys).
--> [Dezz dies right after getting a checkpoint, leaving him with only one life left]\\
'''Dezz''': That means I have to do the rest of this perfectly.\\
'''Bert''': You've got this.\\
'''Dezz''': I did this once before, but that one was a- [[[KilledMidSentence immediately dies]]]
** There's also the part near the 22:30 mark where Crash cheats death by not getting crushed:
---> '''Dezz''': [Turns Crash to face the camera] "Hello everyone. I shouldn't be alive today."
* ''[[ Finale Part 1]]'': Juan makes it past an electricity trap, which Bert states he didn't even notice. Juan moves back to show Bert the trap, only to be electrocuted by it.
* ''[[ Stormy Ascent]]'': Either go to the 11:00 mark or watch [[ this video]].
[[folder: Terraria]]
* In ''[[ PVP Part 2]]'', Bert tries to go for what he thinks is a diamond[[note]]it's actually a sapphire[[/note]], and he ends up almost getting killed by a ''red slime'' due to the lag.
* In ''[[ PVP Part 3]]'', the team spends most of the episode just mining and trying to find a way back up, completely disregarding the fact that there is supposed to be a ''deathmatch'' going on above them:
--> '''Dezz''': I don't even think they remember that we're in the game.\\
'''Dubz''': "Good game, bye y'all!" People are getting, like, slowly wiped out, and we're just like, "RACE FOR THE SURFACE!"\\
'''Dubz''': Guys, we're gonna get to the surface, and all the [=NPC=]s are gonna be gone.\\
'''Bert''': We're gonna get to the surface, [[SleptThroughTheApocalypse and we're gonna be the only ones left]]!
** Later, Dubz starts getting rather careless with throwing glowsticks.
* In ''[[ PVP Part 4]]'', the team's plan to return to the surface goes horribly wrong. Everyone is reduced to laughter within seven minutes.
* In ''[[ CTG Part 1]]'', Bert, Juan and Jack start off very poorly, leading them to think about how much better the other team is doing:
--> '''Bert''': I can't wait to watch [[=OdysseyGamez=]'s] side of the video and just see what items they were blessed with.\\
'''Jack''': It will just be like a montage of "''Oh my God, like, gold! Oh look! Oh my God!''"\\
'''Bert''': "There's just so much gold ore on the surface that I don't even have to mine! It's just in ore form already!"\\
'''Jack''': "It's just flying at me!"\\
'''Bert''': "I can't hold all this gold!"\\
'''Juan''': "There's reverends just giving us stuff!"\\
'''Bert''': "I'm just smelting it into walls and throwing it in my trash 'cause I have nothing else to do!"\\
'''Juan''': They're gonna watch our video and be like "What the heck are they doing?"
* ''[[ CTG Part 4]]'':
--> [Bert hears someone trying to use a star repeatedly]\\
'''Bert''': I hear mana crystals being used.\\
'''Jack''': Yeah, what the hell?\\
'''Juan''': Mana crystals?\\
'''Bert''': Or whatever that is. What is that!?\\
'''Jack''': ''How many are they using!?''\\
'''Bert''': It's piercing my eardrums!\\
'''Bert''': If a tree falls in the middle of a forest, does Dubz have a grenade?
* ''[[ Terraria PVP Highlights]]'': Corrupters are attacking you. What do you do? Start rapidly digging down and don't stop until you reach the core, of course.
--> '''Mysh''': On a scale from 1 to [[AbstractScale Interrodeckodar]]...\\
'''Mysh''': Okay, this [cave] is gonna be our home base. Is that what we've decided? Alright, we'll make this presentable and then start making actual-\\
'''Bert''': [[SarcasmMode We'll make this presentable]]. We'll dust off the shelves, and...\\
'''Mysh''': [[RunningGag On a scale from 1 to Eat A Thousand Dicks]]...
* ''[[ CTG Highlights with Kippesoep and Con]]'': Bert insists that everyone end their sentences with "over":
--> '''Bert''': [[SpongebobSquarepants I can't- over- understand- over- your accent- over]].
** Bert accidentally awards Kipp the title of "Dubz Died".
** The four end up winning the game, so the other team [[spoiler:spawns a bunch of Twins]].
[[folder:Dead Space]]
* In ''[[ Chapter 1]]'', Bert finds an ingame ad saying "There's Always Peng!", which causes Mysh to come up with a scenario to use that phrase in:
--> '''Mysh''': You're in high school. There's a prom date. Peng asks you if you want to go to Turnabout, and you say "No, sorry, I'm going with Jenny." The day of the dance, Jenny calls and says "I have violent stomach flu," and your best friend turns to you and says "Well, there's always Peng!"
** Then in ''[[ Chapter 2]]'', they find writing on a bathroom stall saying "I give great Peng." Their response:
---> '''Mysh''': Dude, we need to find Peng. We need to rescue Peng.\\
'''Dubz''': No, what we need to do is figure out what sexual act Peng is. Someone wrote if someone was up for Peng ''in the bathroom''.\\
'''Mysh''': It's like you're talking to your lady like, "Hey, how about we, uh, you know... PENG tonight?"\\
'''Dubz''': "You want a man who can Peng well."\\
'''Mysh''': "I want to explore. How about we, uh, try Peng."\\
'''Dubz''': "We'll Peng tonight."\\
'''Mysh''': "Honey, we've tried everything else." "Well, there's always Peng!"
** Then in ''[[ Chapter 6 Part 1]]'', they find another ad saying "Everyone Wants Peng."
** Finally, in ''[[ Chapter 11 Part 2]]'', they manage to find the Peng Treasure (which Dubz and Mysh [[{{Mondegreen}} mishear]] as [[AwesomeMcCoolname Peng Trevor]].
* ''[[ Chapter 3]]'':
--> '''Dubz''': [quietly] Ladies and gentlemen, it is time for Dubz Space.\\
'''Bert''': [looking at an ad] [[AttentionDeficitOohShiny SUN!]]\\
'''Dubz''': [[AttentionDeficitOohShiny SUN!]]\\
'''Mysh''': Sun Cola!\\
[They step out]\\
'''Hammond''': We got two problems-\\
'''Bert''': Of course. Instantly.\\
'''Dubz''': "We have two problems, alright? Two, exactly."\\
'''Mysh''': One step out of the hatch and we're already being given plot points.\\
'''Dubz''': "Number one, [[Creator/SamuelLJackson I'm sick and tired of these]] [[SnakesOnAPlane motherfucking snakes on this motherfucking plane]]. Number two, [[Film/PulpFiction did he look like a bitch]]?"\\
'''Bert''': I think the main problem is we didn't even hear what the first two problems were.
* ''[[ Chapter 4 Part 1]]'': While playing the chapter, [[InterfaceScrew a fly keeps flying on their screen]].
** At one point, they find a literal WallOfText and decide to try to read it:
---> '''Mysh''': Remember what we said about [[HundredPercentCompletion a hundred percent]]? Gotta read.
* ''[[ Chapter 4 Part 2]]'': During Chapter 4 (Obliteration Imminent), Dubz accidentally saves in a different save slot:
--> '''Bert''': Wha- What did you do?\\
'''Mysh''': Our obliteration is that much more imminent.\\
'''Bert''': Now there's always going to be an obliteration imminent, just so we know!
* In ''[[ Chapter 10 Part 3]]'', Dubz finds a lady who is about to shoot herself in the head. Dubz decides to help her by [[spoiler:[[BoomHeadshot shooting her in the head]] himself]].
* ''[[ Finally Part 2]]'':
--> [During a cutscene, Isaac pounds his fist on a locked door and grunts. The door opens.]\\
'''Dubz''': "URGHH!"\\
'''Mysh''': It's like, "Okay, fine."\\
'''Bert''': See, why couldn't we do that? "Locked doors? URGHH!"
* ''[[ Chapter 1 Part 1]]'': Bert poisons himself with zombie flesh, so Dubz starts pelting snowballs at him. When he runs out, he switches to eggs and ends up spawning a chicken.
* ''[[ Chapter 2 Part 1]]'':
--> '''Bert''': He took off the painting! What an asshole!
* ''[[ Chapter 2 Part 2]]'' starts off with a flying spider.
* ''[[ Chapter 2 Part 3]]'':
--> '''Dubz''': Alright, take this. It'll serve you well.\\
'''Bert''': I'm sure it will.\\
[Bert misses the item.]\\
'''Dubz''': But you didn't take it.\\
'''Bert''': I was so sure!
* ''[[ Chapter 3]]'': Bert and Dubz fall for a booby trap near the 4:15 mark:
--> '''Bert''': All I heard was frantic door opening and closing, and then I was dead.\\
'''Bert''': How old is this milk!? This is rancid!
* ''[[ Chapter 4]]'': Bert's cat gets in the way multiple times while he tries to play:
--> '''Bert''': Cat, we're fighting Dracula! Go away!
* ''[[ Chapter 5]]'':
--> '''Bert''': "Oh, I found an easy way downstairs! You just have to [[StartXToStopX go upstairs to go downstairs]]."\\
'''Bert''': Well, my shit fell exactly on top of your shit, so now there's just a pile of shit.\\
'''Dubz''': [[ThrowingYourSwordAlwaysWorks I just threw my bow at you]]. What now, vile fiend?\\
'''Bert''': [[InsaneTrollLogic I have a compass, and it's pointing at you, so you're clearly Dracula]]!
[[folder: Alien Swarm]]
* ''[[ Mission 3]]'':
--> '''Juan''': Okay, Bert, I hope you're ready to get that thing set up 'cause there's gonna be a giant butt sucker.\\
'''Bert''': A giant butt sucker.\\
'''Juan''': Oh, there he is!\\
'''Dubz''': HE WASN'T LYING!\\
'''Juan''': Ah, nope. Old Rusty never lies! You gotta hit him in the butt! That's why he's called a butt sucker!
* ''[[ Mission 5]]'':
--> '''Dubz''': Look, worms! Hello friends! AH THEY'RE ATTACKING ME!
* ''[[ Mission 6]]'':
--> '''Dubz''': See, now, if I was here, things- well...\\
'''Juan''': Things would seem a little more [[NeverLiveItDown Friendly]] [[RunningGag Fire]]-ish.\\
'''Dubz''': But you know what? The important thing is, the word "friendly" was used.\\
'''Bert''': It was ''friendly'' fire, it wasn't-\\
'''Juan''': At least we're being shot by a friend.
** YouTube user owlstrategies offers an explanation for what is happening in the game:
---> '''owlstrategies''': None of these aliens really exist. [[AllJustADream This all takes place in Ol' Rusty's dreams]], the dreams of an [[ShellShockedVeteran exhausted old 'Nam veteran]], who sees twisted fragments of the war in his mind every night in his sleep. Except that the enemies are now clawed, more vicious and spew toxic explosive bombs, and Ol' Rusty's two comrades and longtime favorite friends, Bert 'n Dubs, are still with him in the battlefield[[note]]Bert was tragically killed by Dubs's friendly fire in combat. Dubs got lost[[/note]].
[[folder: Crash Bandicoot 2]]
* ''[[ Episode 1]]'': When Mysh chooses the level Snow Go, he has trouble ''entering it'':
--> '''Bert''': Mysh can't even enter the level. [[ThisIsGonnaSuck What horrors await inside?]]
* ''[[ Episode 2]]'': The entire "trailer" for [[RunningGag Mysh Mad]]:
--> '''Dezz''': "''Mysh, you need to save that orphanarium!''" "I CAN'T. I'M TOO MAD."
* ''[[ Episode 3]]'':
--> '''Mysh''': Don't worry, guys, we got 18 lives.\\
'''Bert''': "I will destroy all of them!"
* ''[[ Episode 5]]'': At one point in the video, Dezz reaches some boxes and tries multiple times to break them without success. The added "Spin Attempts" counter shows that he tried '''[[EpicFail 23 times]]'''.
** Bert takes offense at the idea of leaving the level after getting the red gem:
---> '''Dezz''': Bert, we got the red gem. Just go home.\\
'''[[TheDeterminator Bert]]''': ''[[FelonyMisdemeanor What do you mean, "Just go home!?"]]''
* ''[[ Episode 6]]'':
--> '''Bert''': Juan's gonna get fucked on this right here.\\
[Juan makes the jump and finds a silver gem]\\
'''Juan''': Oh, I'm sorry, I couldn't hear you over my ''silver gem!''\\
'''Dezz''': ''Oh my god!''\\
'''Juan''': This is my third one, just so you know. Every time I've played I've gotten a silver gem. You need to do me a favor and-\\
'''Bert''': Don't you have any colored gems? You just have desaturated pieces of shit!\\
'''Juan''': You're just mad because I'm just worth so much!\\
'''Bert''': I have two grays, three pinks, AND a red! Red's the color of your ''fucking blood!''
* ''[[ Episode 7 Part 1]]'': Bert suggests that the boxes don't matter. [[FelonyMisdemeanor This is not taken well by the others]].
* ''[[ The Lost Episode Part 1]]'': The first two and a half minutes manage to be hilarious even without video. Dezz accidentally lists Dubz in the lineup instead of Juan, Juan gets upset and leaves, Mysh presumably starts draining lives faster than ever before, [[LaughThemselvesSick Dezz starts laughing too hard to function]], and Mysh accidentally quits the game after getting a record time game over.
** The rest of the video is also funny as well.
---> '''Mysh''': Can you explain how I'm [[ItMakesSenseInContext drowning in concrete]]?\\
'''Bert''': Please, warp room and just- Unbearable. It is more bearable than this despite the name.
* ''[[ Episode 8]]'' starts off with a long sustained "OHHHHHHH" from Mysh, which Dezz harmonizes with.
--> '''Juan''': Now I gotta go get my burnt hashbrowns.\\
'''Bert''': Those hashbrowns have been in the oven for quite some time, viewers. He was making those LAST episode.
** After Juan briefly leaves, [[TheCameo Dubz]] comes in out of nowhere and decides to join in on the commentary briefly.
** At one point, they have to run through a gauntlet of hazards to get to a bonus gem. When Bert finally makes it through, [[spoiler:he falls right before the platform with the gem, but lands on a piece of ground that he can't see which prevents him from falling and dying but leaves him unable to make it back up]].
---> '''Juan''': This is why [=DC=] can never have nice things.\\
'''Bert''': Present Bert is making editing on Future Bert during this bonus level quite easy!\\
'''Caption''': Thanks Past Bert!\\
'''Juan''': You had so much time, [[ChekhovsGag I made ANOTHER batch of hashbrowns]], dude.
* ''[[ Episode 9]]'': They accomplish the [[PerfectlyCromulentWord splitbahgaber]] indicative of Advanced Crashanomics.
--> '''Juan''': If you're not doin' it right, what are you doin'?\\
'''Dezz''': [Doin'] it left.\\
'''Juan''': I suppose you're right.
** Before the end of the level, Juan mentions how disappointed he will be if the box counter reads 56/57 boxes collected. Instead, [[spoiler:it reads 56/58]].
---> '''Juan''': [pauses the game while Crash is looking down] Look at that. My face right there. See Crash's face right there? That's my face.
* ''[[ Episode 10 Part 1]]'': In order to get to the boss, Mysh has to ride a platform up. He has to do this three times due to him losing all his lives. All three times, he accidentally takes the lift down:
--> '''Bert''': Crash - It's Hard.
** Then, there's Bert's yelp at the 8:28 mark.
* ''[[ Episode 11]]'':
--> '''Bert''': It requires you to be a level 10 planter, better than [[CallBack Farmer Jim]].
** Mysh ascends beyond [[RunningGag mad]]. He's furious.
---> '''Mysh''': I can point out all the reasons this game is bad.\\
'''Bert''': But you forgot to point out the main reason.\\
'''Mysh''': Why?\\
'''Bert''': [[TheChewToy You played it.]]
** [[SouljaBoy Soulja Boy's]] favorite console: the [[WiiU Wii YOOOOOOOOOOOOOUUU]].
** The perfectly harmonized "Yaaaaaaaay" after faceplanting on some boxes.
** Bert takes a look at Juan's phone and sees just how many different alarms he has:
---> '''Juan''': Is that my alarm again?\\
'''Bert''': Yeah. I thought I turned them off, but you had a thousand, so I missed a few.\\
'''Juan''': I like to make sure I'm up for work!
** And the RunningGag about Juan having to complete the level quickly [[RealLifeWritesThePlot so he isn't late for work]]:
---> '''Dezz''': Uh, if anyone from Juan's work is watching, [[BlatantLies this is how we jumpstart his car]].
* ''[[ Episode 13]]'':
--> [The game freezes up.]\\
'''Bert''': Oh my God, what just happened?\\
[Mysh cracks up.]\\
'''Juan''': You froze it.\\
'''Bert''': Juan-\\
'''Juan''': You fucking bastard.\\
'''Bert''': This level-\\
'''Juan''': You killed it.\\
'''Bert''': Hopefully that's ''[[TemptingFate not]]'' {{Foreshadowing}}.
* ''[[ Episode 14]]'':
--> [They come across a large amount of boxes.]\\
'''Bert''': Oh my-\\
'''Juan''': Get them. Get all of the boxes.\\
'''Bert''': It's clean.\\
[Dezz accidentally reveals a [=TNT=] box. Everyone cracks up.]\\
'''Bert''': Just like those hookers in Singapore, man. Just when you think they're clean...\\
'''Bert''': Oh, it even tells you. Look, there's an apple like, "This one's a [=TNT=]. [[SchmuckBait Come belly-flop me]]!"
* ''[[ Episode 15]]'':
--> '''Dezz''': Juan, there is [[RunningGag dick potential]] for this level.\\
'''Juan''': There is dick potential for this level.\\
[The game locks up.]\\
'''Juan''': There's also freeze potential for this level.\\
'''Dezz''': The potential was too great!\\
'''Mysh''': I can imagine, like, right before this, it's like "Oh my gosh, Crash is coming! Quick! Everyone, light your sparklers!"\\
'''Bert''': "Sparklers! Hey, Crash, we missed you! Yeah! Wooo-AAAUUUGGGHHHH!"
** When Juan starts speeding through the level at one point, Mysh decides to make a reference to Film/{{Speed}}.
* ''[[ Episode 16]]'':
--> [The game locks up while Crash blinks.]\\
'''Juan''': So, uh, Bert, what are you doing right now?\\
'''Bert''': I'm...\\
'''Dezz''': Freezing.\\
'''Bert''': Closing my eyes. Sometimes I just like to take a nap before I go.
** Dezz brings up the awesomeness of the name "Bert Casual":
---> '''Mysh''': "This Sunday at the Civic Center! Bert Casual coming to you!"\\
'''Juan''': "You can even bring other countries' money! Euros? We got it! Pesos? You name it!"
** They then start going over the different nicknames they have given Bert:
---> '''Mysh''': How many different versions of Bert are there? There's Paranoid Bert, there's Regular Bert...\\
'''Dezz''': Paranoid ''Casual'' Bert.\\
'''Bert''': Scumbag Bert.\\
'''Mysh''': There's [=SlenderBert=].\\
'''Bert''': [[BreadEggsBreadedEggs Scumbag Casual Bert]].\\
'''Bert''': Guys, I'm actually kind of scared right now.\\
'''Juan''': You should be. You're on Series/ScareTactics.\\
'''Mysh''': "This week on Scare Tactics: Casual Bert!"\\
'''Dezz''': "Casual Sewer Table Bert!"\\
'''Juan''': Let me get this straight, did you say "Casual Mysh Per-Sewer Bert Table?"
* ''[[ Episode 18]]'':
--> '''Bert''': What's it like not being flawless? Oh wait, what's it like ''being'' flawless?\\
'''Dezz''': I don't know. I'm not in that club.\\
'''Bert''': Wait, I did have it right the first time. Shit.
* In ''[[ Episode 19]]'', Mysh becomes perplexed by Bert's skills:
--> '''Mysh''': What kind of magic? Like, how are you controlling it?\\
'''Bert''': 'Cause I actually have hand-eye coordination.\\
'''Juan''': "[[RunningGag Well, ya see, the defender]]-"\\
'''Bert''': Mysh is, like, looking at my controller, like, "Did he change the controls?"
** Bert plows through Rock It, only to have some trouble getting the crystal.
** The entirety of Mysh playing through Night Fight, from Mysh's mistakes to the rest of the group's increasingly over the top reactions to them.
* ''[[ Episode 20]]'': Dezz has to get through the level in a short amount of time in order to get a gem. The gem is in sight with only a few seconds left... and [[spoiler:the game [[RunningGag locks up]] right before Dezz nabs the gem]].
* ''[[ Episode 21]]'': Juan makes a bet with Bert that if he finishes the level in three tries, Bert will make him a pair of moccasins:
--> '''Bert''': I don't know how to craft those.\\
'''Juan''': Learn.\\
'''Dezz''': Learn. In a Batman-esque quest across the world.
* ''[[ Bonus Episode]]'': Bert tries to quit to the warp room [[EpicFail from the warp room]], costing them all their progress.
--> [[FreezeFrameBonus This demo is an analogy of this Let's Play]]
[[folder:Ferazel's Wand]]
* In ''[[ Episode 5]]'', Mysh kicks off a "[[ Courage the Cowardly Dog reference]]":
--> '''Mysh''': If he was dead, wha- wh- why would we have to go do anything?\\
'''Dubz''': Umm... Oh are we doing this for him?\\
'''Mysh''': Uhh partially. But we also just- there's a lot of weird stuff happening- in nowhere, and it's up to Courage-\\
'''Together''': ''To save his new home!''
* In ''[[ Episode 7]]'', Dubz and Mysh comment on an odd picture of Ferazel warming his hands over a fire as a raven watches:
--> '''Dubz''': Dude, that crow is like, "Ferazel... NEVERMORE!"\\
'''Mysh''': And Ferazel's like, "''Am I kawaii? Uguu?''"\\
'''Dubz''': "''Uguu? Desu des- AGGHHH MY FINGERS!''"
* ''[[ Episode 17]]'':
--> '''Mysh''': That's a really bad gate, by the way. Look at it, it's ''sand''. [[MyopicArchitecture Hit it with a water balloon and it tips over]]!
[[folder:Crash Bandicoot 3]]
* ''[[ Episode 4]]'':
--> '''Bert''': Dude, it's N. Gin! He's resorted to a gas station manager.\\
'''Juan''': Manager, or owner?\\
'''Dezz''': "Crash, help me gather the gems so I can use them for oil!"
* ''[[ Episode 7]]'': Bert's reaction upon starting the secret level is hilarious.
--> '''Dezz''': What is forcing these bombs to move such as this?\\
'''Bert''': Them currents, man.\\
'''Mysh''': [[Film/ThePhantomMenace Midichlorians]].\\
'''Bert''': I think the bonus still counts.\\
'''Dezz''': Yeah, it counts. You don't redo bonuses.\\
'''Bert''': "You don't redo do bonuses once you've beaten them. ''God''. Have you even ''played'' the first two Crash games?"\\
'''Mysh''': "This game is exactly like them, except it's ''not''."\\
'''Bert''': "My name's Mysh, and I hate-"\\
[Mysh dies.]\\
'''Bert''': ''Mysh!''\\
'''Mysh''': That was to spite you.\\
'''Bert''': Tell that to your death count.\\
'''Mysh''': "My name's Bert, but I'm actually saying my name's Caleb Myszka so I can say that I don't like this music, and somehow doing this makes him sound like a bad person, [[OverlyLongGag this is the lowest form of argumentation, because I'm not even insulting him directly]], [[HypocriticalHumor I'm just talking in a low voice]] that is- [[[{{Corpsing}} cracks up]]]- supposed to be the noise of a soundly unintelligent person."\\
'''Dezz''': It's so hot in here!\\
'''Mysh''': It is very hot in here.\\
'''Dezz''': It's like I'm sweating on my sweat.\\
'''Juan''': Dude, you have a sweatshirt on. Don't even complain right now.\\
'''Mysh''': Okay, okay, Dezz started it! I was simply agreeing with him. No matter what I do I-\\
'''Bert''': Let's talk about the [[IronicEcho lowest form of argumentation]]. "Dezz started it!"
* ''[[ Episode 8]]'': They finally return, and Hepnah appears to take the role of [[ButtMonkey Mysh]].
** At one point, Hepnah runs into a nitro crate despite having more than enough time and space to shoot it from a distance:
--> '''Dubz''': You just tap the fire! You just ''tap the fucking missile!'' And you're like, "I'm gonna sniff it!"
** After failing repeatedly, Bert decides to take over for Hepnah... and then accidentally [[EpicFail completes the level without collecting the box gem that Hepnah was repeatedly trying to get]].
* ''[[ Episode 10]]'': Hepnah makes a habit of continuously save stating as Dubz plays, often saving in the middle of dangerous jumps.
--> '''Bert:''' Hepnah being in DC is just gonna be a removal of privileges.
** Hepnah is supposed to play the first level, but Dubz takes over in order to try to make it over a long jump. It isn't until he completes the level that Hepnah realizes he was supposed to do it.
[[folder:Pokemon Chinese Emerald]]
* ''[[ Episode 1]]'':
--> [They examine the map on the wall.]\\
'''Dubz''': "Kurdz, you are able to see the map."\\
'''Dezz''': Who is telling you that?\\
'''Dubz''': The map!\\
'''Dezz''': There's a sticky note from your mom. "Don't forget, you are able to see the map!"\\
'''Dubz''': "By the way, remember to use your eyes."
** They find that Tianyuan Town is prided as "[[UnfortunateImplications a colorless city]]."
** They get into a battle and find that Pound is called "[[RougeAnglesOfSatin fihgt]]" and Tackle is called "Bump."
** When they save, they find that they have apparently acquired 9 badges in the first 15 minutes.
* ''[[ Episode 2]]'': They find that the Pokedex is now called the Mon Map:
--> '''Dubz''': "This Map will automatically add new [=MONs=] into-" oh, this is the Pokedex?
** Dezz describes their character as a hexagon with a head.
** They catch a Seedot and decide on the name Pie... so Dezz names it 3.141.
* ''[[ Episode 3]]'': They get into a fight with a Poochyena that keeps using "Call" while their Poochyena keeps using "Bump." They interpret this as the other Poochyena smack talking their Pokemon while repeatedly being punched in the face.
** At one point, the interface glitches up, showing that their Pokemon has reached level 41.
** [[Series/BuffyTheVampireSlayer Muffy the Vampire Bumper]]
** They read [=PSNfrt=] fruit as "Poison Fart Fruit."
* ''[[ Episode 4]]'': '''ZOOO!!!!'''
** They find out that Zigzagoon is called Needle Rat.
* ''[[ Episode 5]]'':
--> '''Dubz:''' "Throw MON balls to make them toxic, burn or sleeping."\\
'''Dezz:''' What? That's what we're doing to them?
* ''[[ Episode 7]]'': Mysh comments on the nature of trainer battles:
--> '''Mysh:''' Random people can challenge me to fights, why can't I challenge random people to fights?
** They get an item called Teacher, resulting in the text "Kurdz put Teacher into bag!"
* ''[[ Episode 8]]'': They fight a Hiker who is named [[MemeticMutation Dolan]].
** After learning that Nosepass is called [=LXmon=], they declare him to be the second coming of [[CallBack Lex]].
* ''[[ Episode 9]]'': The entire gag of Dezz learning about the concept of killing yourself:
--> '''Dezz:''' Can I put that on my resume? Can I just put, like, "Killed Self in 1980?" You would like me at the cadaver museum.\\
'''Dubz:''' I'm just realizing, going in for an interview, and they're like, "Uh, it says here you killed yourself in 1980," and you're like, "Yes I did."\\
'''Bert:''' "But you're only 18!"\\
'''Dubz:''' "I know."\\
'''Minimoose:''' "Also, you're not dead."\\
'''Dubz:''' "Yes, that is true."
** They find out that the Devon Goods are called [[AccidentalInnuendo TBaggage]].
* ''[[ Episode 10]]'':
--> '''Dubz:''' "rocks if we use the skill of [=MONs=], can we break?"\\
'''Dezz:''' It sounds like a bad Bob the Builder episode.
** They find that the Pokenav is now called the Main Menu.
** The Condition screen features an error that makes Dezz "actively upset."
** The Pokedex name on the main menu changes from Map to DEX... and then back to Map again.
---> '''Mysh:''' Look, it's called Map again. What the fuck is this game.
** At the end, they catch a Marill, whose Pokedex entry contains the phrase "oily tail is the float tool." They decide to name it:
---> '''Dubz:''' Drips! After Dubz! It's me! It's a little me! It's a boy too! 'Cause I got a- my oily... penis is the float tool.\\
[Mysh and Dezz crack up]\\
'''Dubz:''' Actually, that's not what I meant to... um... We'll be back after these short... messages.
* ''[[ Episode 11]]'': Dubz has trouble pronouncing "human," yet manages to read "harmoniously" correctly.
--> '''Mysh:''' Talk to the TV and the bookshelf.\\
'''Dubz:''' "there [=isMMfavorite=] program!"\\
'''Dezz:''' Dude, Mysh, I feel like you just took the role of the voice in someone's head, just, "Hey... Hey, you should talk to the TV and the bookshelf."\\
'''Mysh:''' "Watch more TV."\\
'''Dubz:''' "Kill yourself. [[CallBack In 1980]]."\\
'''Mysh:''' Call back!\\
'''Dezz:''' "It'll go good on your resume, man, I promise! How do you think I got this job?"
** They find out about [=F4=] being in vogue:
---> '''Dubz:''' "There is a close relationship between [=F4=] and [=F5=], isn't it?"\\
'''Mysh:''' Yeah, about half an inch.
*** This causes Dezz to reminisce about an art film he saw during a film class:
----> '''Dezz:''' The guy just cut a goat's eyeball! There's no [=F4=] in this!
** Then, they start making puns centered around the term MON:
---> '''Dezz:''' You're a [=MONster=]!\\
'''Mysh:''' ...[[CallBack coach]].
** After going to the top floor of the Pokecenter, Mysh comes up with a theory:
---> '''Mysh:''' Yo, you think it's all about Team [Aqua] and Team Magma? It's actually about the secret groups of [=F4=] and Hellow.\\
'''Dubz:''' And Vogue.\\
'''Mysh:''' Yeah, [=F4=] wants to cover the world in Vogueing, and the Hellow people want to [[ItMakesSenseInContext cover the world in flowers]].
* In ''[[ Episode 13]]'', the level glitch happens again:
--> '''Dubz:''' We are level 82. We should have no problem right now!\\
'''Dezz:''' I'm gonna have trust issues by the end of this game.
* ''[[ Episode 14]]'': They show off their Abra named [=iLean=], which results in the text "[[DexysMidnightRunners Come on! iLean!]]", which quickly becomes a running gag.
* ''[[ Episode 16]]'':
--> '''Dubz:''' "I am seasick! help!"\\
'''Dezz:''' You're not even on the ocean!\\
'''Dubz:''' "The ship made of steel can float in the sea the flotage principle!"\\
'''Dezz:''' That guy is a scientist right there!\\
'''Dubz:''' He is sciencing circles around us!
** At one point, Dezz mispronounces Tsundere as "Sunderer".
** When they fight the Team Aqua grunts, they find that Carvanha now has a glitchy sprite:
---> '''Dubz:''' Holy glitch!\\
'''Dezz:''' Help! Help!\\
'''Dubz:''' He's got little legs that aren't even attached to his body!\\
'''Dezz:''' "[[RunningGag Help me, iLean!]]"
* ''[[ Episode 17]]'':
--> '''Mysh:''' What's an electric food?\\
'''Dubz:''' Oh. OH! Eggs.
** After defeating the Pokefan couple, they are met with some rather questionable dialogue.
---> '''Dezz:''' [[ItMakesSenseInContext This hat was originally red]].
** Near the end, Dezz accidentally goes into the Battle Tent thinking it is the Pokecenter.
** [[TheStinger After the end]], [[spoiler:Dezz accidentally releases Muffy.]]
---> '''Dezz:''' ''Why would they let me do that!?''
* ''[[ Episode 18]]'' may possibly be one of the best episodes in the series.
--> '''Dubz:''' "lost, can not go out" He's grounded.\\
'''Mysh:''' He can't get out of this? It's so easy!\\
'''Dezz:''' Well, we had to cut our way in, dude. The kid didn't know cut!\\
'''Mysh:''' ''[cuts down a tree]'' [[Film/RikiOhTheStoryOfRicky You're all free now]]!\\
'''Dubz:''' "[[ItMakesAsMuchSenseInContext Let us swim]]!"\\
'''Mysh:''' He's like a protester. "Open the city pool!"
** The trick house man provides them with some rather disturbing dialogue before giving them a Rare Candy... which is now called Cheese.
---> '''Dezz:''' ''On Wisconsin!''
** "Forget the methods of See. I'm sorry, mother, I've failed you."
** Mysh makes an effort to get an Aroma Lady registered on his "main menu" to no avail, only to end up registering the nearby twin girls instead.
---> '''Dezz:''' ''Mysh!''\\
'''Mysh:''' I don't want that!\\
'''Dubz:''' Your sex appeal is not...\\
'''Mysh:''' It is not aligned. I need to recalibrate.\\
'''Dubz:''' It is a poor alignment of-\\
''[they run into another trainer, who is an older man]''\\
*** And then they add ''him'' on the main menu as well.
* ''[[ Episode 20]]'': They run into a double battle with a psychic and a biker... who are now called [[{{Franchise/Superman}} Super Man]] [[{{Crossover}} and]] [[{{Comicbook/IRONMAN}} Iron man]].
** Kraut levels up and tries to learn a move called Noise. What does it do? [[ExactlyWhatItSaysOnTheTin Make noise]]!
*** They also find that most of the contest descriptions for Kraut's moves involve bulldozing.
* ''[[ Episode 21]]'':
--> '''Dubz''': "I have many legends to tell, do you want to hear?" Yes. "[[CloudCuckoolander I do not know the stories about trainers in the legends, there are no trainers like that. Are you trainer? I have many legends, do you hear]]?" Yes. "Do you [=have26timesrestore=] in very strong! New legend begins!"\\
'''Dezz''': ''What just happened!?'' This guy's just like, "Do you wanna hear a story?" "Yes." "There are no stories yet! Are you a story?"\\
'''Dubz''': "Are you a story? 26 times restore!"\\
'''Dezz''': It's like, "I want my time back, sir." "Then take this time restore!"
* ''[[ Episode 23]]'':
** Mysh pokes fun of Dubz for abusing the spacebar:
---> '''Mysh:''' Are your legs tired?\\
'''Dubz:''' No, dude, I have, like, computers for legs.\\
''[Mysh starts laughing]''\\
'''Dubz:''' Full desktops!\\
'''Mysh:''' Towers.\\
** One of the enemy pokemon uses magnitude:
---> '''Dubz:''' Woah! "Shake star 4!"\\
'''Mysh:''' That sounds like an anime.
* ''[[ Episode 25]]'': The entire [[ItMakesSenseInContext Joker Does Makeup]] joke:
--> '''Mysh:''' "You know how I got these scars? You know how I hide them?"
* ''[[ Episode 26]]'':
--> '''Magma grunt:''' The ocean is still nice!\\
'''Dezz:''' Woah, hold on. That is really admirable for someone who is trying to destroy it!\\
'''Magma grunt:''' You are late.\\
'''Dezz:''' "We've been expecting you. And you're late."
** They give Taytr a Bill Clinton accent:
---> '''Dezz:''' "Alright, listen here, [=BLdog=]. You mess with the bull, you get the horns. And I'm really horny."
** They get into a double battle with two Team Magma grunts:
---> '''Grunt #1:''' If enlarge land area...\\
'''Grunt #2:''' Our lava group\\
'''Dezz:''' Neither of you finished your sentences!
* ''[[ Episode 27]]'':
** They go to the PC to deposit Buzz in order to make room for the Wynaut egg. Dubz notices and points out [[spoiler:a Poochyena named Muffy [[LivingMemory sitting in the box]]]].
** They fight a Camerupt which knows Attract and ends up making their Pokemon "blunt." After they realize this:
---> '''Dezz:''' We have to send out the expert in love! ''[sends out [[LovableSexManiac Taytr]]]''
[[folder:Five Nights at Freddy's/Five Nights at Freddy's 2]]
* The running gags of them praising the kids as their saviors and clicking on Freddy's nose for catharsis.
* They have a habit of accidentally clicking off the screen and scaring themselves.
* After their first death by Foxy:
--> '''Dezz''': Plot twist: Mysh arrived and [[RunningGag is mad]] about not being in the stream.
* Their reaction to [[ their first encounter with Golden Freddy]]:
--> '''Dezz''': Is that a [[VideoGame/{{Pokemon}} shiny]]? Did we just catch a shiny?
* They decide to try the demo for Five Nights at Freddy's 2. What is the first thing they try? Clicking on Freddy's nose.
* The warning sign for the music box pops up while they are wearing the Freddy mask, leading them to believe it is a breath meter at first.
* During [[ a stream of Night 3 in the second game]], Hepnah almost immediately clicks offscreen:
--> '''Phone Guy''': See, I told you you wouldn't have any problems! Di- [game audio stops]\\
'''Dubz''': Why? We're losing ''valuable information! [[SuddenlyShouting CLICK ON FIVE NIGHTS AT FREDDY'S YOU ASSHOLE]]!''
[[folder:Octodad: Dadliest Catch]]
* Dubz and Hepnah decide to play the game in co-op, with Dubz controlling the legs and Hepnah controlling the arms. Hepnah makes a habit of grabbing almost everything in sight.
* In ''[[ Part 2]]'', the increasing carnage they cause as they try to navigate and carry out chores in the house:
--> '''Hepnah:''' I'm trying to pick up the room! Give me a minute!
* ''[[ Part 3]]'': They attempt to steal the cereal from the lady in the store level:
--> '''Lady:''' What are you doing!?\\
'''Hepnah:''' "I'm just looking at this." [grabs a bag of sugar and starts making a mess]
** While in the middle of stealing the cereal, Hepnah grabs a pair of cool glasses and puts them on Octodad.
** While getting the soda, they become stuck to the plane due to the batteries in Hepnah's controller dying.
* In ''[[ Part 4]]'', Hepnah finds a garbage can with a shark head lid. He knocks the lid off and puts it on Octodad, which he gets stuck in, forcing them to restart.
* ''[[ Finale]]'':
--> ''[Hepnah shoves a telescope in a sailor's face]''\\
'''Hepnah:''' I see you!
** At one point they collect a tie without even noticing it.
[[folder:Spyro the Dragon]]
* ''[[ Episode 5]]'': Dubz begins draining their lives:
--> '''Hepnah:''' I haven't even ''looked'' at the controller yet, and you have four deaths.
[[folder:Dead Space 2]]
* ''[[ Chapter 1 Part 1]]'': During the beginning, when they have to kill necromorphs using only kinesis and poles, Dubz decides to pin a bunch of necromorphs in a single corner to create a "modern art project."
** Dubz grabs a head and decides to drop it in a hole as an "offering to the gods." The head floats in midair instead.
* ''[[ Chapter 1 Part 2]]'': Dubz dies during the stasis tutorial:
--> '''Dubz:''' ''What the fuck is that thing!?''\\
'''Hepnah:''' It's killing you because you didn't aim and press Y!
** When Dubz uses stasis to slow down a fast-closing door:
---> '''Dubz:''' ''[already on the other side]'' We're gonna make it!
** MAKE ASSHOLE[[labelnote:*]]a {{Mondegreen}} of "Make us whole"[[/labelnote]]
[[folder:Resident Evil 5]]
* During the fight with Wesker and [[spoiler:Jill]], Dubz and Hepnah die MANY times, the quickest being when they kill [[spoiler:Jill]] with the rocket launcher less than three seconds after the fight starts.
* During the final CutsceneBoss fight with Wesker, Hepnah [[EpicFail misses the very first quicktime prompt]].
* During the final fight, Hepnah's reaction to Chris punching a boulder.
[[folder:Grand Theft Auto V]]
* Less than five minutes into the game, Dubz [[EpicFail fails the very first mission]].
* This exchange after Dubz starts crashing into a bunch of trees:
--> '''Dubz:''' Why are trees fucking... made of... gold?\\
'''Hepnah:''' ''[cracking up] Why that metal!?'' Of all the metals, you picked the softest one!
* During the mission where they have to get the first car to the dealership:
--> '''Lamar:''' That fucker don't look like the whip we picked up!\\
'''Franklin:''' Existent damages, motherfucker!\\
'''Dubz:''' Existent- there's blood on the windshield!
* Within the first hour, Dubz manages to fail the missions in a variety of inexplicable ways, the best being when he fails by kicking one of the windows in Simeon's showroom.
** Of course, Hepna manages to fail by doing a wheelie on a bike and backing into a bus stop window.
* On the mission where they have to rescue Amanda from the cops, Dubz fails at the last second because he decides to jump out of the car while it is still moving.
* [[ The Return of Carmageddon]]
--> '''Hepna:''' I'm gonna die today.\\
'''Dubz:''' We're ''all'' gonna die!
** Almost any time they try to hijack a vehicle, another car comes out of nowhere and kills them.
---> '''Dubz:''' Some bikes are gods, others are demons.
** "Look at this guy, he's just so fucking docile." And then a car immediately kills him.
** When they switch to Franklin, they find him [[OhCrap surrounded by at least a dozen cars]].
[[folder:Other Livestreams]]
* The [[ Pokemon]] [[ Green]] [[ livestream]] had many funny moments.
--> '''Bert''': "Has a green skin and exuviates several times and then ''vomits out silk'' to build a cocoon before becoming an adult."\\
'''Dezz''': "Son, the path to adulthood is through this."
** When they catch a Pikachu, they name it Zeus, which Dezz almost misspells.
** They find that Brock is given [[IHaveManyNames multiple names]].
** Much of the fanart is funny, such as [[ Ekans the chain smoker]]
** [[ Slenderskirt]]
---> '''Bert''': "Hey! [[AccidentalInnuendo Have you touched me]]?"\\
'''Bert''': Guys, Squirt's forbidden.\\
'''Bert''': "Is it finished?" Yes, the touching is finished.
** "[[ I'm a fan of Dubz because I don't want him to kill himself!]]"
* ''[[ Paperboy 2 Part 1]]'': Much of the humor comes from Bert ranting about the insane neighborhood of the game.
--> [Dezz narrowly misses a truck.]\\
'''Dubz''': [[RunningGag Lex]] has [[SubvertedTrope finally failed]]!\\
[Dezz is killed by monster truck.]\\
'''Dezz''': Who does that!?\\
'''Dubz''': [[DoubleSubversion Lex]]. [[DiabolusExMachina He upgraded]].
* [[ Their]] [[ livestream]] of the Carmageddon mod for ''VideoGame/GrandTheftAutoIV'' is full of hilarious moments due to the fact that all of the cars in the game have gone haywire. What makes it funnier, however, is that there were people saying May 21 2011 (which happened to be the date the livestream took place on) ''was supposed to be the rapture''.
--> '''Bert''': "Get out the way! The rapture is here!"\\
'''Dezz''': This guy knows it!\\
'''Dubz''': That guy's just doing random pushups in the middle of the road.\\
[They come across a car stuck in an odd place.]\\
'''Bert''': What happened here?\\
'''Dezz''': "This is my, uh, ornamental car."\\
'''Bert''': There's a guy in it.\\
'''Dezz''': "Hey, man, why ain't I going anywhere?"\\
'''Dubz''': Can you become invisible?\\
'''Bert''': [[SarcasmMode Yeah, I can just become invisible]]. What would that do? It's not like the cars are after me, it's they're flying around in random directions.
* ''[[ Bert and Dubz Play: Sanatorium]]'': They witness Slenderman ''sliding across the ground'':
--> '''Bert''': He's like, "You didn't see me? Here- *SHING!* There you go!"
* A segment of [[ the September 2012 stream]] where they played Mario Party 2 features many hilarious moments. Some highlights:
** 22:00 - A combination of Mysh singing Albuquerque by WeirdAlYankovic, Bert giving Dubz a goofy look, Dubz and Juan getting in a joke spat over landing on the same space, and Mysh unplugging the controllers leads to everyone cracking up and Dubz accidentally knocking the cartridge out of place, forcing them to restart on the very first turn.
** 54:11 - Songofawesome [[LaughThemselvesSick kills Bert]] with [[ this picture]].
---> '''Dubz''': ''But you're my teammate!'' I can't do ''shit'' without you!
** 1:10:15 - Mysh lands on a Chance Time space and ends up giving all of his money to Juan:
---> '''Mysh:''' That's gaming with Mysh in a nutshell.
** 1:12:30 - In a game of Platform Peril, Bert gets behind and starts trying to catch up, barely making it off of each platform. He winds up making it to the end, still losing to Mysh making Juan fall in the process.
** 1:14:30 - [[TemptingFate "Stars - Packed to Go. Watch Bert get it because he always gets the free star."]]
* ''[[ FTL]]'':
--> '''Bert''': I'm the captain of this ship, the S.S.- or, actually it's the [[CallBack Draught Train]] now. Sorry, I got recommissioned from the S.S. Rustle. I'm new here.\\
'''Bert''': Aw, we could've bought a slave.\\
'''Dubz''': Aw. If only we had more scrap.\\
'''Bert''': We'll attack them, then. Maybe they'll give us one.\\
'''Dubz''': [laughing] You just- "We'll attack them, then."\\
'''Bert''': Yeah.\\
'''Dubz''': "That seems right."\\
'''Bert''': That's what chat would've done, right chat?\\
'''Bert''': We took a hit, Captain!\\
'''Dubz''': You're the captain. You just talked to yourself. "Captain's going mad! Eat him!"\\
'''Bert''': That's the first thing Rynhart thinks, just "Captain's going mad! We gotta eat him!"
* ''[[ Super Amazing Wagon Adventure]]'': The game provides many funny and random moments, most notably the unicorn ambush and Adam's mushroom hallucination.
* ''[[ Real Life For Morons]]'': Bert plays as a [[CrossPlayer teenage girl]] and tries to take a job at a strip club. He ends up being [[ItMakesAsMuchSenseInContext attacked with a rocket launcher]] during one shift.
--> '''Bert''': "How do I die and pick a new character?" "You just go to the doctor's office and have a heart attack!"\\
'''Dubz''': I can help implant embryos!\\
'''Bert''': Mysh is [[SkewedPriorities serving beer at a bar during a riot]] and there's just a hundred people at the counter punching Mysh.
** Dubz accidentally suicide bombs a church with a NASA satellite controller he bought at a garage sale.
---> '''Dubz''': I just killed myself. And Daniel.\\
'''Bert''': ''This is a holy place!''\\
'''Bert''': Why would you satellite a church? Dubz!\\
'''Dubz''': I didn't know the satellite would cause an airstrike.\\
'''Dezz''': Dubz died on my wedding.
** During the last ten minutes of the video, Bert finds an epic dance party and decides to get wasted.
---> '''Bert''': Dude, this dance party's too intense! [[InsistentTerminology I'm getting tired, and it's starting to affect my health]]!\\
'''Mysh''': Scumbag Bert - doesn't even notice until after-\\
'''Bert''': I'M WASTED!
* ''[[ Mario Party 2]]'':
--> '''Mysh''': Look at Anigorn trying to spell my name.\\
'''Sam''': He's closer than most people have gotten.\\
'''Mysh''': Oh wait, he actually got it right.\\
'''Sam''': That's a ''lot'' closer than most people have gotten, then. "Look at him try- oh."\\
'''Bert''': "Look at Anigorn trying to spell my name! Oh, he got it right."
** Mysh constantly spams Peach's "YEAH!" taunt, both annoying everyone and leading them to think [[FreudWasRight interesting thoughts]] when Peach and Yoshi share the same space.
** Later on in the game, they start repeatedly calling in the Duel/Battle Minigame Goomba:
---> '''Bert''': This guy's like, "You motherfuckers!"
** The Mecha-Marathon game is also hilarious:
---> '''Bert''': You're all fucking trash. Every last one of you.
* ''[[ Bella Farts]]'': A segment from an older livestream where Dubz's dog farted the most smelly fart ever:
--> '''Dezz''': Dubz, I think your dog is dying! Through its butt!
* ''[[ Pokemon Stadium Minigames]]'': During one game of Snore Wars, they actually get a draw:
--> '''Dezz''': What?\\
'''Bert''': ''What?''\\
[Dezz starts laughing.]\\
'''Bert''': [[BigWhat WHAT!?]]\\
'''Mysh''': "Nobody Won!"
** Mysh becomes so good at Rock Harden that the others often resort to just letting him win.
---> '''Mysh''': Suddenly, Mysh is amazing.
** Dubz seems to be the only one who is (somewhat) competent at Ekans Hoop Hurl:
---> '''Bert''': Yeah, Dubz is already at ''fucking four!''
* ''[[ Dubz and Mysh Play - Poleriders]]'': Dubz and Mysh have an absolute blast playing a VideoGame/{{QWOP}}-like game they find from a livestream suggestion, but the best laughs come in at the 16:30 mark.
* ''[[ Pokemon Stadium 1 & 2 Tournament]]'':
** They take account of the various names given during Pokemon Stadium 2. Ogetip! Togetson! Pichup! Igglue!
** Bert [[TemptingFate brags that he will get a perfect round and tie with Dezz]] in Clefairy Says, [[CrowningMomentOfFunny only to end up failing miserably]]:
---> '''Juan''': Bert, I don't think that's how you do perfect.
** After Adam gets a strong lead, Bert decides to keep choosing Dig! Dig! Dig! to delay his victory:
---> '''Bert''': Stop winning and I'll stop picking them!
* Bert and Dezz's game of VideoGame/SuperMarioBros3 goes fairly smooth until Mysh accidentally touches the video cord:
--> [The video becomes messed up.]\\
'''Bert''': Uh oh. Mysh-\\
'''Mysh''': I touched it with my toenail, [[CallBack and the heart attack flowed through it]]!\\
'''Bert''': Mysh: The Destroyer of All Things Good.\\
'''Dezz''': I almost had a third flute, and we could've beaten the game!
* The [[ Bootleg Bonanza]] stream is full of hilarious moments.
** Much of the time is spent playing Bootleg Gold #1 (also called [[ Hong]] [[ Kong]] Gold), which is full of many fun translations:
---> '''Bert''': "Pokemon will app at night." Dude, they bust out their apps!\\
'''Bert''': "This is the... you need Surf." Like, what is it? I don't know!\\
'''Dezz''': "This is theeeeeeeeeeeeyou need Surf."
*** Professor Oak's speech at Mr. Pokemon's house contains much questionable dialogue.
----> '''Bert''': We got the [[ItMakesSenseInContext wish meat]]!
*** Dezz examines a tree and is astounded upon finding coffee.
*** Toys in bay define kay!
*** [[FunWithAcronyms B]][[{{Troll}} MAD]].
*** Fick that ball!
----> '''Mysh''': "Hayato [Falkner] uses [[EpicFail rock]] Poke-" No he doesn't! What a liar!
*** Mareep's Pokedex entry somehow becomes "It's name is li Mary, who had a little lamb."
*** Paras's type label in the Pokedex: [[spoiler:Mysh!]]
*** Mysh [[ gets a call]] from "boss is heat," who says nothing but "BMAD."
** Even better is [[ Bootleg Gold #2]], which appears to be exactly the same as the first Pokemon Gold bootle- [[GoodBadBugs HHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHHH]]
*** The game starts out very glitched and corrupted, but the game resets itself multiple times, making the game worse each time:
----> '''Bert''': I think this is as deep as it goes.\\
[The music suddenly stops.]\\
'''Bert''': Uh oh. Just kidding, we're going deeper!
*** They finally reach a dead end when Mysh tries to use the computer and is met with an inescapable screen with an odd pattern and "KKKKKKKKKKKKKKKKK":
----> '''Dezz''': "It's the Klu Klu Klu Klu Klu Klu Klu Klux Klan."
*** At one point, Bert decides to see what will happen if he tries to save:
----> '''Bert''': "Windows! No."\\
'''Dezz''': Apparently Steve Jobs is with us.\\
[The game locks up.]\\
'''Bert''': ''Windows No!'' Windows, what have you done?
*** When they try to use a move in a battle, their Pokemon falls asleep and gains an infinite life bar that begins draining:
----> '''Bert''': [[MundaneMadeAwesome WE'RE SLEEPING!]]
*** The group finds that they can "paint" the world by moving around.
*** Their reaction to accidentally finding the printer screen is also priceless.
* ''[[ Mysh & Dubz Play - CutThroat Island]]'':
--> '''Bert''': Dude, the quarry, Dubz! Are you ready?\\
'''Dubz''': I'm a Quarry Dubz now?\\
'''Bert''': Yeah.\\
'''Dubz''': I mine myself for minerals. "Oh look, bone marr- oh."
* The Mario Party 2 segment of the 2013 Summer Stream had multiple memorable moments:
** Bert plays Coffin Congestion and easily finds the item he wants, but doesn't get it because [[EpicFail he can't figure out how to open the coffins]].
** Bert questions the scariness of an open bottle of ketchup on the map:
---> '''Bert''': Who designed this map, and goes, "You know what we need? We need spooky. You know what's spooky?"\\
'''Dubz''': "A bottle of ketchup."\\
'''Bert''': "''Open'' bottles of ketchup ''on the floor''."
** Who wins the map? [[spoiler: No one. The cartridge is accidentally bumped with 13 turns left.]]
---> '''Dubz''': Together, we can change!\\
[[[spoiler:The game starts glitching up.]]]\\
'''Dubz''': ...Apparently we ''can't'' change.
*** Even better is when Mysh [[spoiler:tries to fix it, but ends up making it sound even ''worse'']]:
----> '''Mysh''': Look! [[spoiler:It's a wild Missingno!]]\\
[[[spoiler:The sound stops completely.]]]\\
'''Mysh''': Aw, [[AntiClimax you ruined my joke]].
** At the end, Mysh claims that Dubz somehow earned his stars through dishonest means.
* The entire [[ Corruption]] [[ Stream]] is hilarious.
** Part of the stream is spent corrupting [[ Super Mario World]].
*** The first corruption leads them to a world that Dubz and Christa call "Fuck-Shit Avenue." The background features, among many various sprites from the game, multiple doors that lead to the bonus minigame... [[KaizoTrap with no floor]].
*** One corruption glitches up the text in the intro cutscene, rendering Bert and Dubz [[TheUnintelligible unable to pronounce anything in it]] other than "gjoe".
----> '''Minimoose:''' [[CallBack It's Mjlf and the Jellies!]]
*** They try a preset corruption called "Dick-figuration" which glitches the game beyond belief.
*** Another corruption appears to glitch up most of the graphics in the game except for Yoshi, causing Bert and Dubz to declare him to be Jesus.
*** During the same corruption, the "Mario Start!" text gets glitched up [[FlippingTheBird in an interesting way]].
** The also corrupt [[ Donkey Kong Country]].
*** One corruption changes the intro music to sound like a bunch of slapping and someone farting through a kazoo.
*** If you wait long enough during the Donkey Kong Country intro, the title screen appears with a [=3D=] scroll effect. None of them knew this, so when they see it, they assume it is a result of a corruption and freak out.
*** Some of the corruptions make the music during the Rare and Nintendo logos sound like warning sirens.
*** Some of the corruptions even mess up the ''rom information''. One such corruption changes the rom name to "Donkek Kong Country Y".
*** During one of the corruptions where they can actually play the game, DK randomly turns into a snake before the game crashes.
** In general, Dubz pantomiming playing the various "instruments" in the corrupted music.
* During [[ one stream]], they corrupt [[ Paperboy 2]].
** The first corruption appears to be okay aside from a few minor graphical glitches... and then they reach a point where the paperboy crashes immediately upon starting.
** One corruption (not shown in the highlight reel) causes the paperboy sprite to spaz out for a second before crashing the game.
** During one corruption where the graphics are glitched up, Bert manages to locate and go over the jump behind the fence near the dog.
---> '''Dubz:''' How did you do that?\\
'''Bert:''' I don't know. I'd like to claim skill, but I don't know.
** "[[Music/SouljaBoy UUUUUUUUU]]!"
---> '''Bert:''' He's saying you did this.
** One corruption reduces the music to a five second loop while causing the thrown papers to randomly break invisible windows.
** One corruption glitches the graphics into a continuously changing mess.
** "Here comes the Paperboy Fleet!"
* The entire hassle of [[ Bert trying to reinstall Warcraft 3]] during the 2014 Halloween Stream. He tries to redeem a code, but finds he already used it on a account. He tries to logging into an email account he had not used in years that may be connected to an account with the game on it, but fails when he cannot remember how to answer the security question. He then finds out [[ZanyScheme he can get the email to text a verification code to his phone, which he can use to log into the email, which he can use to get the password to his account, which he can use to redownload the game]]. He finally gets into the account, but finds there is no Warcraft 3 (but there is Starcraft 2). He then tries their official [=DeliciousCinnamon=] email, which proves to be successful. However, he finds out it would take too long to download through, so he decides to download a torrent instead. He then realizes that he doesn't have enough hard drive space, so he begins uninstalling programs. He uninstalls Google Chrome, forcing him to use Internet Explorer and inadvertently download multiple viruses. Finally, after much hassle, Bert manages to download the game and necessary patches and get the game running on his computer! [[spoiler:Then they find out that [[ShootTheShaggyDog he used the same CD key as Dubz and Mysh, preventing them from playing through]]]].
** In particular, when Bert uninstalls Chrome:
---> '''Bert:''' God, as soon as I uninstall Chrome, [[AbhorrentAdmirer Internet Explorer pops up. "Welcome to Internet Explorer 8!"]]
* Dubz makes Hepnah play [[ Happy Wheels]]:
** He tries playing a "[[ Troll level]]" as the shopper. He frequently loses by having his head removed or destroyed.
*** At the beginning of the level, the last L in "Troll Level" falls down. During one attempt, Hepnah is fast enough to catch the L in the shopper's basket... which causes the shopper's head to explode.
** They try a [[ sword-throwing level]] where Hepnah has to throw swords at various people, including Justin Bieber and Hitler.
*** On his very first attempt, Hepnah [[EpicFail accidentally impales himself]] [[RunningGag in the head]].
*** When Dubz tells Hepnah to go after Hitler:
----> '''Hepnah''': Why is he so nicely dressed?\\
'''Dubz''': When was he not?
*** They discover they can actually pick up Justin Bieber and throw him at one of the other targets.
*** At one point Hepnah accidentally grabs the sword at the bottom of the pile, wasting the rest of the swords as he picks it up. He has to somehow hit the remaining two targets with this single sword... so he chucks it into space.
** The entirety of the Colorful Harpoon Run.
---> '''Hepnah''': "[[IronicEcho Dead weight, my ass! He saved us!]]"
** They try a level where they have to throw a ball into one of many goals. Hepnah accidentally throws a ball into the death goal, causing a mine to come down and blow him up. However, his character's arm goes flying and lands in the victory goal, causing him to win anyway.
** Dubz's reaction on the next level: '''[[BigOMG OH MY GOSH]]'''
* ''[[ Pokemon Red Corruptions]]'':
** "That's right! I remember now! His name... is... '''KEITH!'''"
** One corruption causes Oak to open the start menu with every step he takes.
** One corruption causes Oak to leave Red in the grass and talk to him from across the town.
* ''[[ I]] [[ Am]] Bread'', [=AKA=] Bert becomes one with his inner bread.
** During the second part, Bert requests a countdown from Dubz before leaving the table. Dubz decides to [[{{Troll}} count up instead]].
*** And then Bert accidentally [[CrowningMomentOfAwesome lands the bread perfectly on its side]]:
----> '''Bert:''' It's so beautiful!\\
'''Dubz:''' It's like modern art.
* ''[[ Pokemon Yellow Corruptions]]'':
** "It's baby's first 8-bit!"
** Dubz and Christa are pleased when they see the colors changed on one corruption... until they see [[NightmareFuel Pikachu without eyes]].
---> '''Dubz:''' Hey Oak, listen, I don't want it.
** They replace 1 with F in the corruptor and are met with insane audio and an infinitely looping room.
** One corruption turns all of the [=NPCs=] into Red.
** One corruption leads them to the infamous [=3TrainerPoke=] glitch Pokemon.
* [[ Some highlights]] from the [=Fibbage/Drawful=] segments of the Lovestream.
--> '''Dezz:''' "How to Teach Religion to Your Dog?"\\
'''Alexa:''' Choosing it.
** During one Drawful round, one of them gets "Counting Crows guy farts arrows."
* Moose tries playing [[ Super Clean Clean]] for the first time with Dubz. On her first try, she seems to do a decent job, until she finds a room [[{{Squick}} almost filled to the roof with vomit]] shortly before the game ends.
* [[ Behold, Hepnah's attempt to draw a chair fighting with a table]]
[[folder:The Reminiscent/Cinnacast]]
* ''[[ Week 1]]'': Bert and Dezz's entire anecdote about how they met is hilarious:
--> '''Dezz''': I was like, "This is what it's like to live in the ghetto."
* ''[[ Week 3]]'': Two thirds into the video, part of the background falls off and nearly hits Bert, causing the crew to be extra jumpy during the rest of the video.
** [[TheStinger At the end]] is an outtake of Dezz knocking the camera out of place.
* ''[[ Week 4]]'': Dezz finds himself in one of Adam's drawings:
--> '''Adam''': You went down with the ship.\\
'''Dezz''': Why did I go down with the ship?\\
'''Adam''': I don't know, you decided to be a hero or something.\\
'''Dezz''': Why am I saluting?\\
'''Adam''': I- I don't really- you weren't on the ship to begin with. I think you just said, "Hey where am I?" so I put you saluting going down with the ship.
** Bert talks about drawing himself and his friends facing their worst fears. Juan's greatest fear? [[StarWars The Sith]] take over.
* ''[[ Mario Kart Double Dash Part 2]]'': Highlights include Adam accidentally blowing up everyone (including himself) less than 5 seconds after the race starts on Waluigi Stadium, and Adam being seemingly trolled by the game near the end of Bowser's Castle.
* ''[[ I'm Scared]]'':
--> [They come across a table with empty chairs.]\\
'''Bert''': He wants to have dinner with you. That's what this whole thing was about.
* ''[[ Dubz and Bert Play - Octodad]]'':
--> '''Bert''': Dude, just kick the ball in there, man. C'mon, look at this kid, he's terrible! He has no idea what he's doing. He's using a Jenga block to guard the goal!\\
'''Dubz''': I'm in the fridge!\\
'''Bert''': "Looks like we're havin' octopus for dinner!"\\
'''Bert''': "Honey, I'm stuck in the door!"
* ''[[ Stream Outtakes]]'':
--> '''Dubz''': Shut up and give us our money! ...No, I actually got it, though-\\
'''Bert''': Yeah, give us OUR money, you fucking thieves!\\
'''Bert''': Dubz! We're giving him away to you! He's yours! Take him, we don't want him!
* ''[[ Valentine's Day Special]]'':
--> '''Bert''': This dude has seen some shit!\\
[The ingame character starts walking with [[OffModel spazzy animation]]. Dubz cracks up.]\\
'''Dubz''': "Ah-ah-AHHHH let's go, yeah!"
* ''[[ Bert & Dubz Play: Pokemon 3D]]'':
--> '''Bert''': "Mr. [=POKeMON=] lives near CHERRYGROVE-" Why do they always have to capitalize things?\\
'''Dubz''': '''CHERRYGROVE! POK'''-e-'''MON!'''\\
'''Bert''': That's Leer? That's Leer? Just, "Sprinkle some cinnamon on you."
* ''[[ Space Funeral]]'': Dubz provides a voice for [[HeroicMime Philip]], which basically amounts to sobbing as he walks.
** In the [[ second episode]], they find a genie who grants Philip great power at the cost of [[spoiler:turning him into a fish]].
** In the [[ final episode]], they have an odd conversation with Dracula, who turns out to be [[TheStoner very fond of weed]].
* ''[[ Subscribe Trailer Outtakes]]'':
--> '''Dubz''': Welcome to [=DarbleCinnamon=].\\
'''Mysh''': It's a breakfast cereal. [=DarbleCinnamon=]!\\
'''Dubz''': It's more than good. It's a breakfast cereal. [[WesternAnimation/CourageTheCowardlyDog Who lives in the middle of nowhere]]!\\
'''Bert''': With her husband, Eustace Mysh! But creepy stuff always happens in Juan's room. It's up to Bert to save his new Dubz!\\
'''Mysh''': Stupid Dubz! You make me look bad! Oogah Boogah Boogah Boogah!\\
'''Dubz''': '''AH!'''\\
'''Bert''': [[CallBack Uka Uka]] [[Franchise/CrashBandicoot Uka Uka]]!
** At one point, Bert accidentally calls Dubz "Chubz."
* ''[[ Bert, Mysh, & Dezz Play Virtual Boy]]''... [[spoiler:okay, maybe just Bert]].
* ''[[ 7Days]]'': A running gag is created out of "It's not time yet":
--> '''Bert''': It's like the opposite of "[[MemeticMutation It's happening]]." Did you just realize that? Like, we can't say "It's happening," because-\\
'''Dubz''': It's not time yet.
** Dubz manages to outsmart a creepy ghost simply by closing a gate.
---> '''Bert''': [[RunningGag Ancient books]]. [[ItMakesSenseInContext Ancient books everywhere]].
* ''[[ DC Summer Stream Announcement]]'':
--> '''Mysh''': Bert, it's my dentist. He wants me to come in for a polishing on the 17th.\\
'''Bert''': Tell him to go fuck himself. Tell your ''teeth'' to go fuck themselves. Tell your teeth to fucking clean themselves!
* Before the Summer Stream 2013, Bert, Dubz and Mysh apparently [[ got locked out of Bert's apartment]]. This caused a lot of jokes among people watching the stream as well as some [[ fanart]].
* ''[[ Fallout 3 Episode 3]]'': "Why don't you have any ammo?" Cue FlashbackCut to Dubz wasting ammo earlier in the video.
* ''[[ Fallout 3 Episode 4]]'': Dubz points out in the beginning that his character jumping on a car makes less sound than a cone or a bottle hitting a car.
** After they start battling packs of wild dogs, they find one dog that starts [[GoodBadBugs flying into the air]].
* ''[[ Earthbound Episode 4]]'':
--> '''Mysh''': Gimme money! I'm gonna mug this dog.\\
'''Dubz''': I don't think the dog will give you money. "I'm gonna mug this dog! Gimme everything you've got!" "''ARRR!''" "I SAID EVERYTHING!"
* From Mysh's [[ guest appearance]] on [=MeleeMilwaukee=]:
** Mysh and Nick start discussing what kind of animal Lucario is supposed to be based on, with Mysh commenting on his Anubis-like features. Then someone in the chat bluntly states that he is a dog.
** They joke that the acid in the Brinstar stage is actually salty ramen broth. |
global_05_local_5_shard_00000035_processed.jsonl/58329 | Shaman Warrior is a nine volume {{Manhwa}} by Park Joong-Ki set in a [[CrapsackWorld dark fantasy version of medieval Asia]].
The Shaman [[SuperSoldiers Shaman Warriors]] are the deadliest and most feared soldiers of [[TheEmpire The Empire of Kugai]], possesing strange mystical powers. The series starts out focusing on one of the Titular shaman warriors named Yarong, who is the greatest of the deadly Shaman Warriors. On a Mission from the General of Kugia he and his servant, Batu, are ambushed by a large number of soldiers led by a man Yarong identifies as a Death Lord. Wounded and poisoned in the attack Yarong tells Batu to escape and take his daughter, Yaki, into hiding. [[TooCoolToLive Yarong puts up a good fight but eventually dies]] at the hands of the Death Lord. After reporting back to the General Batu takes the infant Yaki out of the kingdom and into hiding where he eventually learns that the General is the one that arranged the attack and used the deaths of most of the ambushers as justification for hunting down the Shaman Warriors from his old partner and lover the assassin Genji. Batu sets off to take vengence on The General and the Death Lord.
Not to be confused with the [[ShamanKing manga]].
Spoilers!! below
!!This show provides examples of:
* ActionGirl - Genji [[spoiler: and Yaki after TrainingFromHell in the [[TheSpartanWay The Butcher Camps]]]]
* BadassNormal - Batu, Genji and Yatilla have no superhuman powers but are nearly as deadly as Yarong.
* {{BFS}} - Batu and Yuda employs these
* BreakTheCutie - Yaki [[spoiler: after surviving the [[TheSpartanWay Butcher Camps]] Yaki loses the remaining people she cares about in rapid sucession.]]
* BolivianArmyEnding - [[spoiler: The last we see of Yaki she's fighting off a large group of soldiers the next scene is a time skip to Yatilla rallying his troops for open war with Kugai]]
* CliffHanger - [[spoiler: The entire series ends on one of these, see BolivianArmyEnding]]
* TheEmpire - Kugai
* KarmaHoudini - The General and Death Lord Yuda are still alive at the end of the series.
* KillEmAll - [[spoiler: by the end of the series all of the main characters except Yaki and Yatilla are dead]]
* LamarckWasRight - [[spoiler: The Shaman Warriors pass on the powers they gained from SuperSerum to their children]]
* PowerFist - Batu uses a pair of armored gauntlets
* SociopathicHero - Yaki [[spoiler: eventually becomes the captain of the Butcher Camps Assassin squad and only would of killed a child if not for the objections of her boyfriend]]
* TheSpartanWay - The Butcher Camps
* SuperSerum - [[spoiler: The Shaman Warriors were created this way]]
* SuperSoldiers - The Shaman Warriors were used this way by Kugai.
** [[spoiler: Kugai's occult experts and chemists made the Shaman Warriors to aid their armies which were spread thin by civil war]]
* YouHaveOutlivedYourUsefulness - Kugai to the Shaman Warriors |
global_05_local_5_shard_00000035_processed.jsonl/58330 | [[WMG:Yggdrassil is Mnemosyne.]]
Mnemosyne was the personification of memory in Greek mythology. Time spores are produced by Yggdrassil and contain the memories of the people they infected. As long as an immortal's time spore is not destroyed, they can regenerate any amount of body damage - i.e. their memories, preserved in it, rebuild the bodies from scratch. Therefore, the "Daughters of Mnemosyne" are the immortals, though how they relate to Muses is still unclear...
[[WMG:Angels Don't Age.]]
Unless an angel is killed (and they are as vulnerable as baseline humans), they can have an unlimited lifespan just like the immortals. The only problem with that is that angels tend to give in to their primal savageness and start attacking immortals on sight, which doesn't exactly increase their longevity... However, as Shogo's example clearly showed, a strong willpower can resist the primal urges for a long time and this is probably what happened with [[spoiler:Tajimamori]] who survived for many centuries, eventually learning to control himself completely (or maybe his being [[spoiler:Yggdrasil's Guardian]] helped).
It also seems that the older the angel, the more powerful his presence is to immortals. [[spoiler:Tajimamori]] is millenia old and Mimi could barely stand 20 meters away from him and he wasn't even in his angelic form yet. [[spoiler:The arrival of five more "young" angels didn't change how Mimi's felt much.]]
[[WMG:Angels are a safety mechanism against Immortals]]
Yggdrasil realized that if left unchecked, the Immortals would eventually enslave or exterminate humanity (like Sayara tried to), so it created the angels as a counter-force of sorts. The angels' only function is to decrease the population of the immortals but hunting and destroying them, which is why they are stripped of anything but the basic instincts and given superior equipment (wings, sex aura) but not invulnerability in any form ([[WeHaveReserves Yggdrasil has enough time spores]]).
[[WMG:This is somehow connected to Manga/AhMyGoddess]]
Yggdrasil is a giant computer. Immortals are, more or less, bugs in the program that creates Time Spores to record all data in existence. This just happens to be the part of the universe where all of the excitement gets dumped.
[[WMG:Rin is the ancestor of all Time Lords]]
That built-in link to Yggdrasil that all of humanity will eventually have? Yeah, it turns them into the first Time Lords. Regeneration is a watered-down version of the benefits of eating a Time Fruit.
* Or conversly, Yggdrasil was created by Time Lords as a way of studying humanity.
[[WMG:Rin is realted [[CodeGeass C.C.]], and the code is part of Yggdrasil]]
The green hair, regenerative properties she has and the fact that she can revive from just about anything are definitely very simiar. Her green eyes remind me more of [[VisualNovel/HigurashiWhenTheyCry Sonozaki Mion/Shion]] however.
[[WMG: If a sequal is made, the antagonist will be...]]
[[NorseMythology Nidhoggr]], or an expy there of. This being will be neither angel nor immortal, but something more closely resembling a dragon, and will set about slaughtering Rin's descendants to slow or halt the spread of the link to Yggdrasil. This will be an adaptation of Nidhoggr's role in the original norse myth; to contain the spread of the roots of the world tree before they outgrow the boundries of the universe. This character will be played as a KnightTemplar or AntiVillain, given sympathetic qualities, and be potrayed as large, physically powerful, and decidedly nonhuman to contrast sharply with Apos, giving Rin pause as up until now she's only had to fight against monsters.
[[WMG: The SpoilerOpening was this before Rin EarnYourHappyEnding by ScrewDestiny]]
Just think about it. It was going to happen that way, before Rin at the last minute winning. |
global_05_local_5_shard_00000035_processed.jsonl/58331 | Analysis: First Kiss
Inexact title. See the list below. We don't have an article named Analysis/FirstKiss, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/FirstKiss page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58332 | Analysis: Gokujou Drops
Inexact title. See the list below. We don't have an article named Analysis/GokujouDrops, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/GokujouDrops page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58333 | Analysis: Mark Kermode
Inexact title. See the list below. We don't have an article named Analysis/MarkKermode, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/MarkKermode page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58334 | Analysis: Maybe Ever After
Inexact title. See the list below. We don't have an article named Analysis/MaybeEverAfter, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/MaybeEverAfter page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58335 | Analysis: Ryoko Shintani
Inexact title. See the list below. We don't have an article named Analysis/RyokoShintani, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/RyokoShintani page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58336 | Analysis: Star Grunt II
Inexact title. See the list below. We don't have an article named Analysis/StarGruntII, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/StarGruntII page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58337 | Analysis: The Thing From Another World
Inexact title. See the list below. We don't have an article named Analysis/TheThingFromAnotherWorld, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Analysis/TheThingFromAnotherWorld page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58338 | Awesome: Abraham Lincoln Vs Zombies
Inexact title. See the list below. We don't have an article named Awesome/AbrahamLincolnVsZombies, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Awesome/AbrahamLincolnVsZombies page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58339 | Funny: Brooklyn
Inexact title. See the list below. We don't have an article named Funny/Brooklyn, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Funny/Brooklyn page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58340 | Funny: Ebisu-san And Hotei-san
We don't have an article named Funny/Ebisu-sanAndHotei-san. If you want to start this new page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58341 | Heartwarming: Invasion USA 1952
Inexact title. See the list below. We don't have an article named Heartwarming/InvasionUSA1952, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Heartwarming/InvasionUSA1952 page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58342 | Heartwarming: The Old Man And The Sea
Inexact title. See the list below. We don't have an article named Heartwarming/TheOldManAndTheSea, exactly. We do have:
If you meant one of those, just click and go. If you want to start a Heartwarming/TheOldManAndTheSea page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those. |
global_05_local_5_shard_00000035_processed.jsonl/58344 | Literature: Shambling Towards Hiroshima
Shambling Towards Hiroshima is a book by James Morrow that is a parody/homage/Deconstruction of Kaiju films (especially Godzilla), Old B-Movies and the Nuclear Bomb.
The basic premise is that a B-movie actor named Syms Thorley is writing what is either a suicide note or a memoir in Reagan-era Baltimore. In it he reveals the truth behind "Project Knickerbocker", the Navy's plan to end WWII in the Pacific by breeding giant fire-breathing reptiles and unleashing them upon Japan. Not wanting to use such a horrible weapon that would kill so many civilians, it was decided to do a "demonstration" by having a smaller, man-sized monsters ruin a model city in front of a Japanese delegation. Only problem: the man-sized reptiles are docile, so a man in a rubber suit is needed. That man is Syms Thorley. Shambling Towards Hiroshima is his story.
Includes examples of: |
global_05_local_5_shard_00000035_processed.jsonl/58345 | Inexact title. See the list below. We don't have an article named Main/Yuru-Yuri, exactly. We do have:
|
global_05_local_5_shard_00000035_processed.jsonl/58346 | Kodos is a murderous ''E.T.'', Homer and Marge are dueling husband and wife assassins, and Flanders uses the seven deadly sins to scare some Halloween hoodlums straight.
!! Tropes:
* DownerEnding: One of the few halloween episodes to avert this. (Although it's ambiguous as to if the deaths in Heck House really happened)
* InsistentTerminology: Since Kodos was alive at the end, it was a vivisection and not a dissection.
* RiddleForTheAges: Whatever Homer thought about saying when he was about to kill Kent Brockman, he never said.
* SevenDeadlySins: "Heck House"
* ShoutOut: To ''ET'' and ''MrAndMrsSmith''. |
global_05_local_5_shard_00000035_processed.jsonl/58357 | The Art of Open Archives
Expert meeting about archives on new media art.
Nov 2004
15:00 to 18:00
Since the late 1990s, many cultural content providers - archives and cultural heritage institutions - have been making their data collections accessible to the general public via web-based online applications and portals. These contain both large amounts of digitalized material and a wealth of information on digitally-born cultural phenomena. Information on any specific topic (the oeuvre of an important artist, for example) is, however, most likely dispersed over several of these resources, making it difficult for end users - ranging from the general public to a researcher with a very specific profile - to obtain a complete picture of the topic. There is a growing need for initiatives that make connections between these resources possible, enabling interoperability between the variety of data models used by the various repositories.
This expert meeting will bring together specialists in this area - initiators of online resources and archives, academics, artists and theorists - in order to discuss possible strategies and applications related to achieving interoperability between online resources, and developing interesting applications on top of such frameworks.
Several problematic issues are likely to be encountered, such as:
• How to design conceptual and technical frameworks most appropriate for attaining interoperability between heterogeneous resources, drawing inspiration from already existing models and languages, such as the Open Archives Initiative and the Semantic Web; and how to create an open, low-barrier architecture that allows participation by a variety of content providers, both individual and institutional;
• How to deal with multiple meanings and languages in terminology for electronic art and culture;
• How to design appropriate and interesting applications on top of interoperable resources, targeted towards users with diverse profiles and needs.
Specifically, the problems encountered by a network of organizations in the field of electronic art will serve as examples in the discussions. During the past few years, several new web-based resources have emerged in the field of art and technology, resulting in a number of websites highlighting diverse aspects of electronic art, its history, protagonists and themes.
Examples of recent online portals for electronic art are
Representatives of several such resources will be present during the expert meeting. Furthermore, selected Dutch and international experts will present state-of-the-art of relevant research in the area of Semantic Web technologies and presentations from semantically annotated archives.
14:30 Doors open
15:00 Welcome and introduction by Anne Nigten (V2_)
15:10 Ivan Herman (Benelux W3C Office, HU/NL) will present an overview of the current Semantic Web languages.
15:30 Janneke van Kersen (Vereniging Digitaal Erfgoed, NL) will present a pilot project in interoperability between Dutch cultural resources, using the Open Archives Initiative Metadata Harvesting Protocol (OAI-MHP).
15:50 Lynda Hardman (CWI, NL) will present current research work on presenting information extracted from semantically annotated archives. Information about the structure of the topic domain along with the environment and characteristics of the user are used to influence the presentation created.
16:10 Break; information market with demonstrations of archives and initiatives
16:40 3 parallel roundtable discussions:
• Community needs and wishes - moderation by Andreas Broeckmann (DE)
• Semantic Web and ontologies - moderation by Ivan Herman (HU/NL)
• Presenting information from semantically annotated archives - moderation by Lynda Hardman (NL)
17:40 Plenary presentation and discussion of roundtables
Document Actions
Mailinglist: Subscribe to the English or Dutch version.
Related Items
DEAF04 Exhibition Nov 09, 2004 01:00 AM
DEAF04 – Affective Turbulence Programme Guide
Programme Guide to the Dutch Electronic Art Festival 2004
Connected Archives - Presentation Apr 12, 2007 03:00 PM
DEAF04 - Affective Turbulence Nov 09, 2004
Andreas Broeckmann
DEAF04 Symposium Information Booklet
Michel van Dartel
Curator at V2_
DEAF04 Conferences Nov 09, 2004
Program of seminars and expert meetings at DEAF04.
Alexei Shulgin
Connected Archives - Expert Meeting Apr 12, 2007 10:00 AM
Expert meeting at DEAF07 about digital archives for media culture and media art.
My First Recession Sep 12, 2003 04:00 PM
A book presentation with author Geert Lovink, during N5M4.
Stephen Kovats
Stephen Kovats (CA) is artistic director of transmediale.
Oliver Grau
The Archivist Speaks ... [5]
Nadia Palliser
Nadia Palliser (NL) is a researcher.
more ...
Personal tools
Log in |
global_05_local_5_shard_00000035_processed.jsonl/58380 | Jump to: navigation, search
EDT:How to add new EDT plugins
Revision as of 15:56, 19 August 2011 by Mheitz.us.ibm.com (Talk | contribs)
1. Be sure the new plugin's MANIFEST.MF is correct.
• The ID must begin with org.eclipse.edt.
• The Version must be of the form 0.7.0.qualifier (use the correct numbers for the release you're developing).
• The Provider must be Eclipse EGL Development Tools.
• The Execution Environment must be JavaSE-1.6.
• Don't require an exact version of a plugin without good reason.
2. Add the plugin project to our CVS repository. Do Team > Share Project > CVS and choose :extssh:[email protected]:/cvsroot/tools. Choose Use Specified Module Name and enter org.eclipse.edt/folder/pluginName.
3. If the folder in the previous step is new, update the project metadata. Go to https://dev.eclipse.org/portal/myfoundation/portal/portal.php, click view next to tools.edt, and click maintain next to Project Info Meta-data. Click edit and update the list under "source repository".
4. Add the new plugin to the feature.xml of its feature.
6. Do Team > Release to get the code into the next build. |
global_05_local_5_shard_00000035_processed.jsonl/58381 | Jump to: navigation, search
FAQ What is a launch configuration?
Revision as of 01:17, 16 June 2006 by Psylence519.gmail.com (Talk | contribs)
A launch configuration is a description of how to launch a program. The program itself may be a Java program, another Eclipse instance in the form of a runtime workbench, a C program, or something else. Launch configurations are manifested in the Eclipse UI through Run > Run....
Launching in Eclipse is closely tied to the infrastructure for debugging, enabling you to make the logical progression from support for launching to support for interactive debugging. This is why you will find launch configurations in the org.eclipse.debug.core plug-in.
For extensive documentation on how to add your own launch configuration, refer to Platform Plug-in Developer Guide under Programmer’s Guide > Program Debug and Launch Support. Also see the eclipse.org article, We Have Lift-off: The Launching Framework in Eclipse.
|
global_05_local_5_shard_00000035_processed.jsonl/58382 | Jump to: navigation, search
WTP Smoke Test Results R31 082709
Revision as of 15:45, 27 August 2009 by Wmmark.ca.ibm.com (Talk | contribs)
Smoke Test Promotion votes
This Week's Results
Project Vote Initials Comments
Java EE Checkmark.gif DG
JSF Checkmark.gif da
Dali Checkmark.gif njh
Server Checkmark.gif JD
Web Services, WSDL Checkmark.gif Checkmark.gifWeb Services
Checkmark.gifWSDL (wm)
Source Editing Checkmark.gif Checkmark.gifXML + JSP (amk)
Checkmark.gifXSD (wm)
Checkmark.gifJSDT (cmj)
Checkmark.gifXSL (dac)
Release Engineering Questionmark.gif
Smoke Test ok to promote vote = Checkmark.gif
Smoke Test do not promote vote = Fail.gif
Smoke Test Pending = Questionmark.gif
Back to the WTP Smoke Test Results Main Page |
global_05_local_5_shard_00000035_processed.jsonl/58404 | Points: 5
Cover Story: It Came From Outer Space!
Joe Keiser
Total Points:
Primordial Ooze
Last Visit:
New York, NY
What I'm Playing
The Legend of Zelda: Twilight Princess
My Friends
ErinGrapejuice Rocca missho kazekiri Japanese_Jade jcprice02
ArtiZt superjenn Duck_Waters RyuHayate talinthas digitalmullet
My Clubs
Useless Video Game Facts Useless Video Game Facts
996 members
1UP_s Buried Treasures 1UP_s Buried Treasures
382 members
Video Game Review Central Video Game Review Central
298 members
Booloo_s Name the Game Booloo_s Name the Game
73 members
50 members
See all 14 clubs
Part the third
Part the third
Mar 20, 2007 9:01AM PST
The technician did stop by on Saturday. He performed deep, terrifying surgery on my television, replacing the entirety of the internals. Of course this did nothing, the problem actually being endemic to the entirety of the model line, so the guy said he couldn't fix the issue and left.
Another call to Best Buy and some finagling later, and this has become a replacement issue. I don't know what television I'm getting yet (though it better have 1080p, or so help me) so I'll hold off on saying anything for now, but it's no wonder that Best Buy is telling its vendors to ratchet up their HDCP compliance -- it's because Best Buy is eating the cost of the bungling.
My favorite game on the PS3 is "Tekken 5: Dark Resurrection". My least favorite game is "Let's Call Electronics Companies Across America Because the PS3 Doesn't Work." Which is strange, because I've sunk a lot more time into the latter game.
• E-mail it
• 1
Comments (1)
• violentmike
• If you ever get this fixed, with a new tube
Posted: Mar 20, 2007 12:00AM PST by violentmike
I'll fly down there and play VF5 with you.
Title Of Comment
Maximum characters for title is 120
Around the Network
IGN Entertainment Games |
global_05_local_5_shard_00000035_processed.jsonl/58426 | Thanks to the Supreme Court: Narrower Definition of "Supervisor" Provides Opportunities for Employers | AccountingWEB
By Richard D. Alaniz
Overview of Title VII
Title VII of the Civil Rights Act of 1964 (Title VII) prohibits discrimination and harassment in the workplace. In a practical sense, workplace harassment is generated by an individual - whether a coworker, supervisor, manager, etc. There must be someone engaging in harassing conduct in order for there to be workplace harassment. And under Title VII, the status of that person affects an employer's liability.
This makes sense. After all, if an employee is harassed at the workplace by a fellow employee and no one else ever knows about it - no supervisor, manager, or human resources personnel - the company will be in no position to take any action. For this reason, harassment promulgated by a coworker has been judged under a general negligence standard. Only if the employer knew (or should have known) of the harassment and failed to take appropriate action can the employer be held liable. Such a rule is only fair.
However, when a supervisor is the one engaging in the harassment, courts have taken a different approach. In such a situation, courts have recognized that supervisors have considerably more leverage over employees than coworkers. A supervisor has the power to hire, fire, deny a promotion, reassign an employee's duties and responsibilities, reduce or change an employee's benefits, and generally change an employee's employment status. Such power is provided to the supervisor by the employer, and, as such, courts have held that supervisor harassment ought to be held to a different standard than coworker harassment. In fact, in some circumstances the company may be held strictly liable when a supervisor engages in harassment, regardless of whether the company was aware of the harassment.
As originally articulated, holding a supervisor to a higher standard only made sense. However, many courts, and notably the Equal Employment Opportunity Commission (EEOC), which is responsible for enforcing Title VII, adopted a significantly expanded definition of a supervisor, thus exposing employers to increased potential liability. The EEOC advocated a somewhat nebulous definition of supervisor that focused on the amount of control the individual had over the victim of harassment. Such a definition proved difficult to apply, created confusion, and added unnecessary complexity to harassment cases. Most important to employers, it also transformed many individuals not traditionally thought of as supervisors into supervisors for liability purposes.
Wait, there's more!
Premium content is currently locked
Editor's Choice
This is strictly for internal use and data will not be sold
or shared with any third parties. |
global_05_local_5_shard_00000035_processed.jsonl/58446 |
American Greetings does a Father's Day version
A clever spin on what 'World's Toughest Job' means for fathers.
For Mother's Day, American Greetings and ad agency Mullen produced one of the year's big viral advertising successes, "World's Toughest Job," in which real people interviewed for a hellish-sounding position that promised endless work and zero pay—and when they objected, they were reminded that moms do it every day.
By and large, people fell in love with the spot. (The YouTube video has more than 20 million views.) But if there was one quiet yet constant (and frankly, annoying) criticism from certain circles, it was this: What about Dad? He has a tough job, too.
Well, with Father's Day almost here, American Greetings throws dads a bone (sort of) with a "World's Toughest Job" sequel. Like the original, it uses real people. But it has quite a different tone (at least until the very end) and puts a clever spin on what "World's Toughest Job" means for fathers compared to mothers.
The basic message: There is no script for being a good dad.
The video is funny, and at times heartfelt. But while it clearly celebrates fathers, it's not entirely complimentary to them. So, will dads appreciate it, or will some feel slighted once again? Watch below, and tell us what you think.
Client: Cardstore, American Greetings
Project: World’s Toughest Job – Dad Casting
Executive Director, Marketing: Alex Ho
Vice President, Marketing: Christy Kaprosy
Agency: Mullen
Chief Creative Officer: Mark Wenneker
Executive Creative Directors: Tim Vaccarino, Dave Weist
Creative Director: Jon Ruby
Copywriter: Latasha Ewell
Art Director: Sarah Dudek
Executive Director, Integrated Production: Liza Near
Head of Broadcast: Zeke Bowman
Producer: Vera Everson
Production Company: Hungry Man
Director: Hank Perlman
Executive Producer: Kevin Byrne
Producer: Joshua Goldstein
Director of Photography: Eric Steelberg
Editing, Color Correction, Finishing: PS260
Editor: J.J. Lask
Assistant Editor: Colin Edelman
Senior Producer: Laura Lamb Patterson
Colorist: Michael Marciano
Audio Postproduction: Plush
Sound Design, Mixer: Rob Fielack
Music: Human
DCNF - Categories
DCNF - Lifestyle
DCNF - Women
DCNF - Business
DCNF - Millennials
DCNF - News
DCNF - Sports
DCNF - Comedy
DCNF - Entertainment
DCNF - Affluents
Adweek Blog Network |
global_05_local_5_shard_00000035_processed.jsonl/58449 | From Monster Paradise Wiki
Jump to: navigation, search
Fusion allows you to combine one or more monsters into a single monster in order to increases the experience of the base monster which in turn can raise the monster's level. As a general rule, the higher level of the monster, the more experience needed to gain the next level. Also, catalyst monsters of the same type as the base will provide a higher amount of experience when fused.
Question Answer
Should I max my monsters levels before fusion+? Answer: This is a resounding yes. For each level gained between your pre fuse+ monsters, they receive a slight bonus to HP, Atk and Defense. Two level 40 Rare will be much more effective than two level 20 when fuse +d. The exact total a monster carries over is as follows: Non max=5% of monsters base vs 10% of base when max lvled.
Should I use a golden slime for fusion? Answer: You should not. Aside from mighty and proto mighty, most all other slime with be worth more sold onto the market or sold straight through the NPC.
What is the best way to level my monsters before fusion? Answer: Tablet monsters. Fusing two tablet monsters will bring it to lvl 7-8, this can also be achieved through fusing 10 N to a tablet. Fusing two level 7 will bring it to lvl 14-16, and fusing two level 14-16 will bring it to level 22-24. Use multiple tablets rather than fusing all of them into one, as the level increase dwindles with this method as you get higher. Fuse two-three lvl 14-16 with your base monsters, use mighty slimes if available. The results will be drastically better than if you were to fuse multiple level 1-7 with your base.Currently 5 level 14 tabs of same element will max out any given R monster.
Are my summoned Murder/Poseidon perfect fusioned? Answer: Unfortunately, no. All summoned SR that belong to a fusion chain are put together using base monster cards at lvl 1, thus making them far from perfect.
Why do fusions not always give the same amount of experience? Answer: There are a few factors to take into account when fusing monsters. Monsters that have the same 'Race', 'Element' (worth twice the bonus amount), and 'Name' get bonuses when being fused. Fusing 2 monsters of the same name will yield the greatest amount of experience.
Should I fuse my mighty slime/proto slime alone or with other monsters? Answer: Think of the mighty slimes as a catalyst accelerator. Performing a fusion using the same base materials as originally planned(multiple lvl 15 tabs) will see a much greater yeild than simply fusing your base with a mighty slime as catalyst.
Original list created by [IDOHARM] | Link to original list: Aeriamobile Forum
Personal tools |
global_05_local_5_shard_00000035_processed.jsonl/58450 | An Ingenious Solution
Is your testing tool behaving like a problem child? Injecting your application with some discipline may be what's needed. Sometimes, spending a few weeks of development time on creating a solution can save you months of testing time. In this article, Linda Hayes explains how one company did just that!
One of the thorniest problems in test automation is dealing with objects that the test tool can't see or interact with. Often these are third-party controls, but not always. Sometimes they are just complex controls within containers or other layers that obscure access to the methods and properties. But whatever the reason, in my experience they make up 20 percent of the application but take 80 percent of the effort, and in some cases, they have stymied automation altogether.
One of the most effective ways of dealing with this issue is to inject the application with some code or hook that gives the test tool access to the application internals. This might take the form of a DLL that is compiled in, an API that is exposed, or special methods that are added. But while this approach is usually the most powerful and efficient solution, it is usually the least likely to succeed for the simple reason that developers don't want to modify the application for test purposes.
The reasons run the gamut from an inchoate fear that the extra code might cause unpredictable problems, to the belief that if the test hook is removed when the application is delivered that the "real" code wasn't really tested. If it stays in, there is a major security risk that others might use it to interfere with the application. Or, in some cases, the developers simply don't see it as their problem, or they aren't motivated to invest the time and effort.
It seems there are no easy answers—or at least it did seem that way, until an enterprising software development company called CSG Systems came up with an ingenious solution. CSG Systems has been providing customer care and billing applications for twenty years to 265 companies in forty countries. Their software portfolio is massive, complex and critical—a perfect candidate for test automation.
The Problem
Like most companies dealing with huge applications and widely varied customer needs, CSG has adopted an architecture that permits flexibility through configurability. This design relies on multiple components that are shared, resulting in objects that are contained with other objects—a classic automation challenge.
"We had objects that the test tool could not see," said Senior Manager Shane Perrien. "This prevented us from accessing the object methods and properties we needed." A related issue was the dynamic nature of the application: different conditions created different window object contents, and since the window handle was created new at runtime, it was difficult to set context. This caused excess maintenance overhead for test cases.
After exhausting all other options, Shane presented the problem to the development organization. Software Architect Miao Chen developed an application DLL that exposed the methods and properties of each window and object, and a second DLL stored in the system directory that accesses the first for the automated engine. Miao then created a tool for QA to identify a unique path for each object. Once these were in place, Edmond Sierens, the Software Engineer responsible for the test automation function library, retrofit his functions to call the system DLL and expose the window handle, which is then sent back with the unique object ID.
About the author
AgileConnection is one of the growing communities of the TechWell network.
|
global_05_local_5_shard_00000035_processed.jsonl/58469 | Death by Gold - Andrews, MR Nick
After Rick Travis, his son, Mike, and shipmate Yorgo arrive in Gibraltar on their broken-down yacht, they meet Jasper Wells. A retired American soldier who lives on an old power boat on the sea, he tells Mike the story of lost Spanish gold, a tale that begins before the Spanish Civil War and ends after World War II. Information Jasper learned at ...
Death by Gold 2005, Createspace, North Charleston SC
ISBN-13: 9781448613069
Trade paperback |
global_05_local_5_shard_00000035_processed.jsonl/58492 | | |
April 1, 2014
Microsoft created an automotive stunt video and “making-of” series for the launch of the Xbox One console and the Forza Motorsport 5 video game.
Members Only Content
User Name (email):
Also See
Relevant Topics
Recent Internationalist Innovation in Media
Apr 1, 2014
Mr. Iglú Park
Apr 1, 2014
125th Anniversary
Apr 1, 2014
404 Fun Not Found by Fanta
Apr 1, 2014
Access All Areas App
Apr 1, 2014
AHH Effect
Apr 1, 2014
See full index for Internationalist Innovation in Media |
global_05_local_5_shard_00000035_processed.jsonl/58505 | The Greatest Testo
Testo The Greatest
Amici, ecco i finalisti
(feat. Dasan Ahanu)
[singing: Mala Machenko]
Why waaaait?...
Kill yourself noooooooow
Uh, kill yourself!
Uh, Suicide... Music
Khyrsis... uh, L.E.G...
Let's... go...
You'll need more than that if you really wanna stop me
The greatest, nickname Muhammad Ali
Rope these dopes, with hope I float
You, sink so slow, must have a hole in your boat
Ships Ahoy then your, ship's destroyed
Titanic mistake, better get ya boy
One more wrong move, that'll be your next fate
One more wrong move, that'll be checkmate
Uh, your king's down and, your team's down and
Your queen's down for anything now
She movin al-ways, I screwed her all ways
Switch up, switch downs, Dig Dug the bitch out!
Shuffle in the air like Norman in "Psycho"
Fuck it, I don't care, I'm more than psycho
The arrow points to me, 'cause no one is greater than
If you don't agree - well, you're a hater then
I've been some other place, I've touched some other races
I've seen some other faces, I've beat some other cases
I know it's entertainment, I gotta make a statement
Fuck it, I gotta say it - I am the fucking greatest
[Dasan Ahanu:]
Shattering midnight with a blink of an eye
Laugh as I reach and pull a shard from the sky
Cut into your conscience, but you drip from within
Write this verse with your blood, who the FUCK needs a pen? !
As sure as the sky's blue, as sure as shit stinks
I'm sippin bi-racial, that means they mixed drinks
Twisty-tied, deliver me from haters
Feel me, I am the epitome of greatness
Fuck other feelings, nothing's greater than hate
The, fuckin feeling ain't L.E.G.-xander the Great
Overthrowin better than me when I'm speaking
Yeah, and I smoke weed for medical reasons, huh
I'm the brimstone, I'm the last fire
I done bent hoes, like I'm Quagmire
Over counter-tops, cars and furniture
Outside the box, the bars of a murderer
Killed every verse, beatin rapper in front of me
But, still curse, they can't stand honesty
And y'all wait great as the wall, you can tell
In Scarface, "I take you all to fuckin Hell" - HAH!
[Dasan Ahanu:]
Born in the bellows of lyricism
Draped in Heaven but drenched in Hell
Each, metaphor to sky wars
Each similies to earthquakes to
Modern-day mythology of L.E.G.-olas the Great! |
global_05_local_5_shard_00000035_processed.jsonl/58506 | @article {4248, title = {Fault Tolerance in MPI Programs}, journal = {International Journal of High Performance Computing Applications}, volume = {18}, year = {2004}, month = {07/2004}, pages = {363-372}, abstract = {
This paper examines the topic of writing fault-tolerant MPI applications. We discuss the meaning of fault tolerance in general and what the MPI Standard has to say about it. We survey several approaches to this problem, namely checkpointing, restructuring a class of standard MPI program, modifying MPI semantics, and extending the MPI specification. We conclude that within certain constraints, MPI can provide a useful context for writing application programs that exhibit significant degrees of fault tolerance.
}, url = {http://hpc.sagepub.com/content/18/3/363}, author = {W. D. Gropp and Ewing L. Lusk} } |
global_05_local_5_shard_00000035_processed.jsonl/58523 | Quote Originally Posted by mark View Post
So much grumpiness over me hating grain. Kind of funny.
To the folks who have gotten expansion from delta 100 what were you developing in? Where I live there is very little separation between tones and I have to rely heavily on local contrast or expanded development.
Thanks for the info Ralph. Exactly what I was looking for.
It will expand in virtually any general purpose developer but works very well in fairly active developers such as DDX. You'll also get virtually box speed out of it in DDX even with normal development which is nice. But you can use ID-11/D-76 etc. Some staining developers will also allow you to expand contrast more. You can also tone the negatives in selenium to increase contrast a bit further. |
global_05_local_5_shard_00000035_processed.jsonl/58525 | /* LiquidCrystal Library - display() and noDisplay() Demonstrates the use a 16x2 LCD display. The LiquidCrystal library works with all LCD displays that are compatible with the Hitachi HD44780 driver. There are many of them out there, and you can usually tell them by the 16-pin interface. This sketch prints "Hello World!" to the LCD and uses the display() and noDisplay() functions to turn on and off the display. The circuit: * LCD RS pin to digital pin 12 * LCD Enable pin to digital pin 11 * LCD D4 pin to digital pin 5 * LCD D5 pin to digital pin 4 * LCD D6 pin to digital pin 3 * LCD D7 pin to digital pin 2 * LCD R/W pin to ground * 10K resistor: * ends to +5V and ground * wiper to LCD VO pin (pin 3) Library originally added 18 Apr 2008 by David A. Mellis library modified 5 Jul 2009 by Limor Fried (http://www.ladyada.net) example added 9 Jul 2009 by Tom Igoe modified 22 Nov 2010 by Tom Igoe This example code is in the public domain. http://arduino.cc/en/Tutorial/LiquidCrystalDisplay */ // include the library code: #include // initialize the library with the numbers of the interface pins LiquidCrystal lcd(12, 11, 5, 4, 3, 2); void setup() { // set up the LCD's number of columns and rows: lcd.begin(16, 2); // Print a message to the LCD. lcd.print("hello, world!"); } void loop() { // Turn off the display: lcd.noDisplay(); delay(500); // Turn on the display: lcd.display(); delay(500); } |
global_05_local_5_shard_00000035_processed.jsonl/58541 | What is the Frank-Starling law of the heart?
Quick Answer
The Frank-Starling law of the heart is a physiological concept that states that the force of contraction of the cardiac muscle is proportionate to its starting length. The Frank-Starling law is also known as the Frank-Starling mechanism. It is the basic principle of cardiac performance.
Know More
Full Answer
The Frank-Starling law of the heart was named after Otto Frank and Ernest Starling. They were the first physiologists that described the concept. They proposed that the longer the cardiac muscle is stretched, the greater the muscle contraction. This means that the heart's diastolic expansion is directly proportional to the strength of the heart's systolic contraction. When there is an increase in the diastolic expansion, the systolic contraction will also increase.
Learn more about Literature
Related Questions |
global_05_local_5_shard_00000035_processed.jsonl/58549 |
1993 Audi Cabrio leeking hood Resovoir
Discussion in 'Classic Audi Forum' started by quattro25years, Apr 27, 2011.
1. quattro25years
Mar 26, 2007
Likes Received:
hi , my resovoir thats holds the hydraulic fluid (in the boot of the car) has leaked (noticed a small split in resovoir) , fluid level has dropped and therefore roof will not raise or lower.
Does anyone have the part number / title of the "plastic resovoir and the best place to buy one.
thanks for your help!
#1 quattro25years, Apr 27, 2011
Last edited: Apr 27, 2011
Share This Page |
global_05_local_5_shard_00000035_processed.jsonl/58599 | You Are Here > > Bullpen > Jerry Doggett - BR Bullpen
Jerry Doggett
From BR Bullpen
Jump to: navigation, search
Jerry Doggett
Jerry Doggett was a broadcaster for the 1941-1955 Dallas Steers and 1956-1987 Brooklyn Dodgers/Los Angeles Dodgers, working with Vin Scully for many years. He was inducted into the Texas League Hall of Fame in 2009.
Personal tools |
global_05_local_5_shard_00000035_processed.jsonl/58638 | Ezra viii. 22, 23, 31, 32.
I was ashamed to require of the king a band of soldiers and horsemen to help us against the enemy in the way; because we had spoken unto the king, saying, The hand of our God is upon all them for good that seek him. ... So we fasted and besought our God for this. . . The hand of our God was upon us, and he delivered us from the hand of the enemy, and of such as lay in wait by the way. And we came to Jerusalem.
HPHE memory of Ezra the scribe has scarcely had fair play among Bible-reading people. True, neither his character nor the incidents of his life reach the height of interest or of grandeur belonging to the earlier men and their times. He is no hero, or prophet; only a scribe; there is a certain narrowness as well as a prosaic turn about his mind, and altogether one feels that he is a smaller man than the Elijahs and Davids of the older days. But the homely garb of the scribe covered a very brave devout heart, and the story of his life deserves to be more familiar to us than it is.
This scrap from the account of his preparations for the march from Babylon to Jerusalem gives us a glimpse of high-toned faith, and a noble strain of feeling. He and his company had a long weary journey of four months before them. They had had little experience of arms and warfare, or of hardships and desert marches, in their Babylonian homes. Their caravan was made unwieldy and feeble by the presence of a large proportion of women and children. They had much valuable property with them. The stony desert, which stretches unbroken from the Euphrates to the uplands on the East of Jordan, was infested then as now by wild bands of marauders, who might easily swoop down on the encumbered march of Ezra and his men, and make a clean sweep of all which they had. And he knew that he had but to ask and have an escort from the king that would ensure their safety till they saw Jerusalem. Artaxerxes' surname, "the longhanded," may have described a physical peculiarity, but it also expressed the reach of his power; his arm could reach these wandering plunderers, and if Ezra and his troop were visibly under his protection, they could march secure. So it was not a small exercise of trust in a higher hand that is told us here so simply. It took some strength of principle to abstain from asking what it would have been so natural to ask, so easy to get, so comfortable to have. But, as he says, he remembered how confidently he had spoken of God's defence, and he feels that he must be true to his professed creed, even if it deprives him of the king's guards. He halts his followers for three days at the last station before the desert, and there, with fasting and prayer, they put themselves in God's hand; and then the band, with their wives and little ones, and their substance,—a heavily-loaded and feeble caravan,—fling themselves into the dangers of the long, dreary, robber-haunted march. Did not the scribe's robe cover as brave a heart as ever beat beneath a breastplate?
That symbolic phrase, "the hand of our God," as expressive of the Divine protection, occurs with remarkable frequency in the books of Ezra and Nehemiah, and though not peculiar to them, is yet strikingly characteristic of them. It has a certain beauty and force of its own. The hand is of course the seat of active power. It is on or over a man like some great shield held aloft above him, below which there is safe hiding. So that great hand bends itself over us, and we are secure beneath its hollow. As a child sometimes carries a tender-winged butterfly in the globe of its two hands that the bloom on its wings may not be ruffled by its fluttering, so He carries our feeble unarmoured souls enclosed in the covert of His Almighty hand. "Who hath measured the waters in the hollow of His hand?" "Who hath gathered the wind in His fists?" In that curved palm, where all the seas lie as a very little thing, we are held; the grasp that keeps back the tempests from their wild rush, keeps us, too, from being smitten by their blast. As a father may lay his own large muscular hand on his child's tiny fingers to help him, or as "Elisha put his hands on the king's hands," that the contact might strengthen him to shoot the arrow of the Lord's deliverance, so the hand of our God is upon us to impart power as well as protection; and our "bow abides in strength," when "the arms of our hands are made strong by the hands of the mighty God of Jacob." That was Ezra's faith, and that should be ours.
Note Ezra's sensitive shrinking from anything like in consistency between his creed and his practice. It was easy to talk about God's protection when he was safe behind the walls of Babylon; but now the push had come. There was a real danger before him and his unwarlike followers. No doubt, too, there were plenty of people who would have been delighted to catch him tripping; and he felt that his cheeks would have tingled with shame if they had been able to say, "Ah! that is what all his fine professions come to, is it? He wants a convoy, does he? We thought as much. It is always so with these people who talk in that style. They are just like the rest of us when the pinch comes." So, with a high and keen sense of what was required by his avowed principles, he will have no guards for the road. There was a man whose religion was, at any rate, not a fairweather religion. It did not go off in fine speeches about trusting to the protection of God, spoken from behind the skirts of the king, or from the middle of a phalanx of his soldiers. He clearly meant what he said, and believed every word of it as a prose fact, which was solid enough to build conduct on.
I am afraid a great many of us would rather have tried to reconcile our asking for a band of horsemen with our professed trust in God's hand; and there would have been plenty of excuses very ready about using means as well as exercising faith, and not being called upon to abandon advantages, and not pushing a good principle to Quixotic lengths, and so on, and so on. But whatever truth there is in such considerations, at any rate, we may well learn the lesson of this story—to be true to our professed principles; to beware of making our religion a matter of words; to live, when the time for putting them into practice comes, by the maxims which we have been forward to proclaim when there was no risk in applying them ; and to try sometimes to look at our lives with the eyes of people who do not share our faith, that we may bring our actions up to the mark of what they expect of us. If "the Church " would oftener think of what "the world " looks for from it, it would seldomer have cause to be ashamed of the terrible gap between its words and its deeds.
Especially in regard to this matter of trust in an unseen hand, and reliance on visible helps, we all need to be very rigid in our self-inspection. Faith in the good hand of God upon us for good should often lead to the abandonment, and always to the subordination, of material aids. It is a question of detail, which each man must settle for himself as each occasion arises, whether in any given case abandonment or subordination is our duty. This is not the place to enter on so large and difficult a question. But, at all events, let us remember, and try to work into our own lives, that principle which the easygoing Christianity of this day has honey-combed with so many exceptions, that it scarcely has any whole surface left at all; that the absolute surrender and forsaking of external helps and goods is sometimes essential to the preservation and due expression of reliance on God.
There is very little fear of any of us pushing that principle to Quixotic lengths. The danger is all the other way. So it is worth while to notice that we have here an instance of a man's being carried by a certain lofty enthusiasm further than the mere law of duty would take him. There would have been no harm in Ezra's asking an escort, seeing that his whole enterprise was made possible by the king's support. He would not have been "leaning on an arm of flesh " by availing himself of the royal troops, any more than when he used the royal firman. But a true man often feels that he cannot do the things which he might without sin do. "All things are lawful for me, but all things are not expedient," said Paul. And the same apostle eagerly contended that he had a perfect right to money support from the Gentile Churches; and then, in the next breath, flamed up into, "I have used none of these things, for it were better for me to die, than that any man should make my glorying void." A sensitive spirit, or one profoundly stirred by religious emotion, will, like the apostle whose feet were moved by love, far outrun the slower soul, whose steps are only impelled by the thought of duty. Better that the cup should run over than that it should not be full. Where we delight to do His will, there will often be more than a scrupulously regulated enough ; and where there is not sometimes that " more," there will never be enough.
"Give all thou canst; high Heaven rejects the lore
Of nicely calculated less or more."
What shall we say of people who profess that God is their portion, and are as eager in the scramble for money as anybody? What kind of a commentary will sharpsighted, sharp-tongued observers have a right to make on us, whose creed is so unlike theirs, while our lives are identical? Do you believe, friends, that "the hand of our God is upon all them for good that seek him"? Then, do you not think that racing after the prizes of this world, with flushed cheeks and labouring breath, or longing, with a gnawing hunger of heart, for any earthly good, or lamenting over the removal of creatural defences and joys, as if heaven were empty because some one's place here is, or as if God were dead because dear ones die, may well be a shame to us, and a taunt on the lips of our enemies. Let us learn again the lesson from this old story,—that if our faith in God is not the veriest sham, it demands, and will produce, the abandonment some
times, the subordination always, of external helps and material good.
Notice, too, Ezra's preparation for receiving the Divine Help. There, by the river Ahava, he halts his company like a prudent leader, to repair omissions, and put the last touches to their organization before facing the wilderness. But he has another purpose also. "I proclaimed a fast there, to seek of God a right way for us." There was no fool-hardiness in his courage; he was well aware of all the possible dangers on the road; and whilst he is confident of the Divine protection, he knows that, in his own quiet, matter-of-fact words, it is given "to all them that seek Him." So his faith not only impels him to the renunciation of the Babylonian guard, but to earnest supplication for the defence in which he is so confident. He is sure it will be given—so sure, that he will have no other shield; and yet he fasts and prays that he and his company may receive it. He prays because he is sure that he will receive it, and does receive it because he prays and is sure.
So for us, the condition and preparation on and by which we are sheltered by that great hand, is the faith that asks, and the asking of faith. We must forsake the earthly props, but we must also believingly desire to be upheld by the heavenly arms. We make God responsible for our safety when we abandon other defence, and commit ourselves to Him. With eyes open to our dangers, and full consciousness of our own unarmed and unwarlike weakness, let us solemnly commend ourselves to Him, rolling all our burden on His strong arms, knowing that He is able to keep that which we have committed to Him. He will accept the trust, and set His guards about us. As the song of the returning exiles, which may have been sung by the river Ahava, has it: "My help cometh from the Lord. The Lord is thy keeper. The Lord is thy shade upon thy right hand."
So our story ends with the triumphant vindication of this Quixotic faith. A flash of joyful feeling breaks through the simple narrative, as it tells how the words spoken before the king came true in the experience of the weaponless pilgrims: "The hand of our God was upon us, and He delivered us from the hand of the enemy, and of such as lay in wait by the way; and we came to Jerusalem." It was no rash venture that we made. He was all that we hoped and asked. Through all the weary march He led us. From the wild, desertborn robbers, that watched us from afar, ready to come down on us, from ambushes and hidden perils, He kept us, because we had none other help, and all our hope was in Him. The ventures of faith are ever rewarded. We cannot set our expectations from God too high. What we dare scarcely hope now we shall one day remember. When we come to tell the completed story of our lives, we shall have to record the fulfilment of all God's promises, and the accomplishment of all our prayers that were built on these. Here let us cry, "Be Thy hand upon us." Here let us trust Thy hand shall be upon us. Then we shall have to say, " The hand of our God was upon us." And as we look from the watch-towers of the city, on the desert that stretches to its very walls, and remember all the way by which He led us, we shall rejoice over His vindication of our poor faith, and praise Him that "not one thing hath failed of all the things which the Lord our God spake concerning us." |
global_05_local_5_shard_00000035_processed.jsonl/58645 | Thread: Scary BMW Spies
View Single Post
Old 10-18-2010, 12:22 AM
Evlengr's Avatar
Evlengr Evlengr is offline
Ukemi - that's how I roll
Location: MD
Join Date: Feb 2007
Posts: 4,252
Mein Auto: 2013 Audi S4 2010 MT MCS
BMW has a specific service that they pay for (like many companies) to monitor websites. Most of the time they can farm the information from them (fan type websites) as part of some mutual agreement or obligation.
So unless you use proxy servers or mirror sites to create ghost accounts it really isn't hard to track down folks at all.
For about thirty dollars I can do the same thing with anyone here.
Everything you do on the web is traceable------everything!
2013 S4 Loaded (and NO RFT's) Awesome is an understatement
2007 AT X3 RIPOS
2005 GC
2000 Jeep Cherokee
1997 Twin Turbo RX-7
1984 GTI Wolfsburg Edition Neuspeed and more
Reply With Quote |
global_05_local_5_shard_00000035_processed.jsonl/58681 |
Follow This Show
Stay in the know about new episodes and updates.
On-Demand Episodes
The latest movie news from Hellywood with your host Hollywood God.
Join Hollywood God as he returns and once again tears into Hellywood and The evil demons who run it!
The Black actor Christian Bale stars in Ridley Scott's new sci-fi flick Exodus: Gods and Kings.
Wake up and C1 discuss the 1990s television show phenomenon called Cracker, created by Jimmy McGovern. Robbie Coltrane (AKA Hagrid from Harry Potter) portrays Dr. Eddie 'Fitz' Fitzgerald with a performance of a lifetime. The site:... more
In this Segement Talkbackers will be discussing the 2014 British Mini-series Happy Valley. A very in Depth and Spoilerish discussion will take place about this brilliant, gritty miniseries.
In this segement individualistic views on batman are discussed, with a compare and contrast to see if a common thread can be struck. Connections between each indivdiual will be noted in order to bridge the gap and come to shared desires... more
Join Hollywood God as he tells you why this film is the beginning of the end.
Talkback members discuss the anime show Dragon Ball Z during its peak! Other anime shows may be discussed if the time permits.
Hellywood continues to rape our favorite movies.
Show Extras |
global_05_local_5_shard_00000035_processed.jsonl/58721 | Psychiatric drugs are not inferior to other drugs, review concludes
1. Jacqui Wise
1. 1London
A review of meta-analyses has concluded that psychiatric drugs are, in general, as effective as drugs used in other medical specialties.
Researchers from the Technische Universität München in Germany said they carried out the review because there is a deep mistrust of psychiatry fostered by reports indicating that psychotropic drug efficacy is small.
The study, published in the British Journal of Psychiatry (2012;200:97-106), included 94 meta-analyses of 48 drugs in 20 medical diseases and 33 meta-analyses of 16 drugs in eight psychiatric disorders. The researchers chose reviews of classes of drugs rather than single drugs and excluded meta-analyses of subgroups such as older people. They also chose the most recent reviews.
For each meta-analysis the researchers looked at the absolute risk …
Sign in
Log in through your institution
Free trial
Sign up for a free trial |
global_05_local_5_shard_00000035_processed.jsonl/58738 | The Making of a Nation eBook
Charles Foster Kent
This type of political organization favored the growth of polytheism rather than the worship of one god. Each city had its local god or baal, which was worshipped at a high place either within the city or on some adjacent height, while in the larger cities elaborate altars and temples were reared to them. These local deities were regarded as the gods of fertility which gave to their worshippers ample harvests and numerous offspring both of the family and of the nock. The principle of generation occupied such a prominent place in the Canaanite cults that in time they became exceedingly immoral and debasing. To secure the favor of their gods the Canaanites brought rich sacrifices to their altars and observed certain great annual festivals with ceremonies very similar to those later adopted by the Hebrews.
While the Canaanites were on a much higher plane of material civilization than the Hebrews, they ultimately fell a prey to those hardy invaders of the desert: (1) Because they were incapable of strong united action, and (2) because their civilization was corrupt and enervating. Courage and real patriotism were almost unknown to them even as early as the seventeenth century B.C., when the Egyptian king Thutmose III invaded the land of Palestine. Their strong walls and their superior military equipment, however, made their immediate conquest by the Hebrews impossible. This explains why the earliest account of the initial conquest, now found in Judges 1, is chiefly devoted to recounting the strong Canaanite cities which the Hebrews failed to conquer.
In the light of our present knowledge of the Canaanite civilization it becomes evident why most of the early Hebrew conquests were in the south. The only large Canaanite city which they could conquer in the early days was Jericho. Recent excavations have also shown why later generations regarded its capture by the Hebrews as a miracle, although many modern interpreters hold that the early account does not imply that it was by supernatural means. Like most of the Canaanite cities, it was situated on a slightly rising eminence, close to the foothills that on the west rose abruptly to the central plateau of Canaan. Northward, eastward, and southward, extended for miles the level plain of the Jordan river, which plowed its way through its alluvial bed, six miles east of Jericho. Close by the site of the ancient city came the perennial waters of the Wady Kelt with which it was possible to irrigate its fields. Past the town ran the main highway from across the Jordan, along the northern side of the Wady Kelt, to join the great central highway that extended through the centre of Palestine. Jericho was, therefore, the key to the land of Canaan, and its capture was necessary if the Hebrews were to maintain their connection with their kinsmen east of the Jordan.
Project Gutenberg
The Making of a Nation from Project Gutenberg. Public domain.
Follow Us on Facebook |
global_05_local_5_shard_00000035_processed.jsonl/58739 | The Pacha of Many Tales eBook
The pirates loudly applauded the justice of a decision by which they benefited, and all appeal on our parts was useless. When the weather became more settled, we were put on board one of their small xebeques, and on our arrival at this port were exposed for sale and purchased.
Such, pacha, is the history which induced me to make use of the expressions which you wished to be explained; and I hope you will allow that I have been more unfortunate than guilty, as on every occasion in which I took away the life of another, I had only to choose between that and my own.
* * * * *
“Well, it is rather a curious story,” observed the pacha, “but still, if it were not for my promise, I certainly would have your head off for drowning the aga—I consider it excessively impertinent in an unbelieving Greek to suppose that his life is of the same value as that of an aga of janissaries, and follower of the prophet; but, however, my promise was given, and you may depart.”
“The wisdom of your highness is brighter than the stars of heaven,” observed Mustapha. “Shall the slave be honoured with your bounty?”
“Mashallah! bounty! I’ve given him his life, and, as he considers it of more value than an aga’s, I think ’tis a very handsome present. Drown an aga, indeed!” continued the pacha, rising, “but it certainly was a very curious story. Let it be written down, Mustapha. We’ll hear the other man to-morrow.”
Chapter III
“Mustapha,” said the pacha the next day, when they had closed the hall of audience, “have you the other Giaour in readiness?”
“Bashem ustun! Upon my head be it, your highness. The infidel dog waits but the command to crawl into your sublime presence.”
“Let him approach, that our ears may be gratified. Barek Allah! Praise be to God. There are others who can obtain stories besides the Caliph Haroun.”
The slave was ordered into the pacha’s presence. He was a dark man with handsome features, and he walked in with a haughty carriage, which neither his condition nor tattered garments could disguise. When within a few feet of the carpet of state he bowed and folded his arms in silence. “I wish to know upon what grounds you asserted that you were so good a judge of wine the other evening, when you were quarrelling with the Greek slave.”
“I stated my reason at the time, your highness, which was, because I had been for many years a monk of the Dominican order.”
“I recollect that you said so. What trade is that, Mustapha?” inquired the pacha.
“If your slave is not mistaken, a good trade every where. The infidel means that he was a mollah or dervish among the followers of Isauri."[2]
[2] Jesus Christ.
“May they and their fathers’ graves be eternally defiled,” cried the pacha. “Do not they drink wine and eat pork? Have you nothing more to say?” inquired the pacha.
Project Gutenberg
The Pacha of Many Tales from Project Gutenberg. Public domain.
Follow Us on Facebook |
global_05_local_5_shard_00000035_processed.jsonl/58755 | X Games 3D The Movie
Domestic Total Gross: $1,391,434
Distributor: Buena VistaRelease Date: August 21, 2009
Genre: DocumentaryRuntime: 1 hrs. 32 min.
MPAA Rating: PGProduction Budget: N/A
View Chart:
1 Nitro Circus the Movie 3D Arc Entertainment $3,377,618 800 $1,183,701 800 8/8/12
2 Jackass 3-D Paramount $117,229,692 3,139 $50,353,641 3,081 10/15/10
3 Jackass Presents: Bad Grandpa Paramount $102,003,019 3,345 $32,055,177 3,336 10/25/13
|
global_05_local_5_shard_00000035_processed.jsonl/58760 | Milo Yiannopoulos
Milo Yiannopoulos
Latest News
Why I Can’t Help Missing Ed Balls
I know that for a lot of you, the defenestration of Shadow Chancellor Ed Balls will have been the highlight of the election, more joyous even than the humiliating nationwide wipeout of the Liberal Democrats. Our mates over at the Guido Fawkes
Screen Shot 2015-05-07 at 15.06.38
Attack Of The Killer Dykes!
Avengers Director Joss Whedon is Feminism’s Battered Wife
Avengers director Joss Whedon was chased off Twitter this week after feminist trolls went loopy because… well, who knows. Something about the heteropatriarchal oppression of fictional characters, I guess. He later claimed that he had quit the social network for other reasons.
REUTERS/Lucas Jackson
Kids Need A Mum And A Dad
Every child should have a gay uncle, to teach them how to dress, take them clubbing and give them their first line of coke, but gay parents? As a party-hard homosexual myself, I’m not so sure. We learned this morning
How I’m Celebrating Earth Day
It’s Earth Day, that annual festival of self-important hand-wringing during which public sector employees are paid overtime to get the bus into work to turn the lights off for an hour and then back on again. Some of us, of
WATCH: Why Men Are Better at Chess
Men make better chess players. They have what psychopathology professor Simon Baron Cohen calls “systematising” brains, whereas women have “empathetic” brains. But Nigel Short, a UK grandmaster player, got into trouble this week for pointing out this biological reality. Short joins chess
Breitbart Video Picks |
global_05_local_5_shard_00000035_processed.jsonl/58762 | The Chinese Wall
Work by Frisch
Thank you for helping us expand this topic!
This topic is discussed in the following articles:
• discussed in biography
Max Frisch
...Again), in which Surrealistic tableaux reveal the effects caused by hostages being assassinated by German Nazis. His other historical melodramas include Die chinesische Mauer (1947; The Chinese Wall) and the bleak Als der Krieg zu Ende war (1949; When the War Was Over). Reality and dream are used to depict the terrorist fantasies of a responsible government...
MLA style:
"The Chinese Wall". Encyclopædia Britannica. Encyclopædia Britannica Online.
APA style:
The Chinese Wall. (2015). In Encyclopædia Britannica. Retrieved from
Harvard style:
The Chinese Wall. 2015. Encyclopædia Britannica Online. Retrieved 02 June, 2015, from
Chicago Manual of Style:
Encyclopædia Britannica Online, s. v. "The Chinese Wall", accessed June 02, 2015,
Editing Tools:
We welcome suggested improvements to any of our articles.
The Chinese Wall
• MLA
• APA
• Harvard
• Chicago
You have successfully emailed this.
Error when sending the email. Try again later.
(Please limit to 900 characters)
Or click Continue to submit anonymously: |
global_05_local_5_shard_00000035_processed.jsonl/58764 | Andrea Brustolon
Italian wood-carver
Andrea BrustolonItalian wood-carver
July 20, 1662
Belluno, Italy
October 25, 1732
Andrea Brustolon, (born July 20, 1662Belluno, Republic of Venice [now in Italy]—died Oct. 25, 1732), Italian wood-carver, known for his furniture in the Venetian Baroque style, characterized by extravagant curves and lavish ornamentation.
Brustolon went to Venice in 1677 for a year of training, moving to Rome in 1678. Returning to Venice in 1680, he engaged in decorative carving for several churches and created his outstanding works, the furniture for the Venier di San Vio and Correr di San Simeone families; these walnut and ebony pieces are decorated with elaborately carved figures.
Brustolon returned to Belluno in 1685 and from that time devoted himself mainly to work for religious uses, usually in wood but occasionally in ivory. His furniture can be seen at the Ca’ Rezzonico, Venice.
What made you want to look up Andrea Brustolon?
(Please limit to 900 characters)
MLA style:
"Andrea Brustolon". Encyclopædia Britannica. Encyclopædia Britannica Online.
APA style:
Andrea Brustolon. (2015). In Encyclopædia Britannica. Retrieved from
Harvard style:
Andrea Brustolon. 2015. Encyclopædia Britannica Online. Retrieved 02 June, 2015, from
Chicago Manual of Style:
Encyclopædia Britannica Online, s. v. "Andrea Brustolon", accessed June 02, 2015,
Editing Tools:
We welcome suggested improvements to any of our articles.
Andrea Brustolon
• MLA
• APA
• Harvard
• Chicago
You have successfully emailed this.
Error when sending the email. Try again later.
Or click Continue to submit anonymously: |
global_05_local_5_shard_00000035_processed.jsonl/58777 |
Article published November 27, 2012
Kyle Saul
GG Kyle Saul, 4
West Sunbury
Dear Santa,
I have been a very good boy this year. Thank you for the toys last year. This year I would like Thomas blue mountain mystery track master set, steam n speed Thomas, and some new spongebob movies and new Thomas movies. I will leave milk and cookies out for you and some carrots for your reindeer. Thank you Santa. |
global_05_local_5_shard_00000035_processed.jsonl/58799 | When we talk about steering and suspension components, we mean all the stuff that holds the wheels onto the rest of the car and keeps the tires in good contact with the road—both important features to have, if you don't want to accidentally drive into a bridge abutment. You can't really check most of these components yourself. Go to your mechanic and ask him to check the front and rear suspension components, the steering gear, and related parts, including ball joints and tie rods.
By the way, some vehicles with rear, independent suspensions have ball joints and related components that can fail catastrophically. It's a good idea to find out if your car has this kind of suspension. If it does, don't forget to mention this to your mechanic. |
global_05_local_5_shard_00000035_processed.jsonl/58832 | Tuesday, June 02, 2015
Most Popular
Software Reviews
General Computing
WEB Reviews
OCZ Vector 256GB SSD Review @ Custom PC Review
Gigabyte F2A85XM-D3H
NZXT Phantom 630
Auvio Bluetooth Portable Speaker Review
Corsair H90 CPU Cooler Review
BIOSTAR Hi-Fi Z77X (Intel Z77) Motherboard Review
Noctua NH-L9i Cooler Review on Technic3D
Breaking News
Instagram To Open Its Advertising Platform
G.SKILL at Computex 2015
LG Display Showcases 18-inch Rollable Display At SID
Vimeo Launches Subscription Service
E FUN Introduces Affordable Flexx 2-in-1 Windows Tablets
Atmel Showcases System Solution for Wearables at Computex 2015
Home > Software Reviews > General Computing
Monday, August 29, 2005
Windows Vista Public Beta 1 - Part 2
3. Technical Improvements Page 2
User Account Protection (UAP) : Windows Vista changes the traditional Windows privilege model to help prevent users from running programs that attempt to perform operations that the user doesn't really intend or authorize. To that end, User Account Protection (formerly called Least-privileged User Account, or LUA) enables users to run at low privilege most of the time, while being able to easily run applications requiring more privilege as necessary. There are two key things to consider when building applications to make use of User Account Protection (UAP): the privilege specification model and the standard UAP execution model.
Privilege Specification Model : UAP extends the access token system already in use for managing Windows logons with a new token mechanism that supplies each administrator logon with two security tokens, a UAP token and a full admin token.
Access tokens contain a logon session's security information, identifying a user and their groups and privileges. The operating system uses the token to control access to securable objects and controls the ability of the user to perform various system-related operations on the local computer. UAP tokens are a special kind of access token that define the minimum privileges needed to run-the default interactive logon privileges of a Windows Vista user on a system with UAP support enabled. The second, full admin token has the maximum privileges authorized for the admin account.
UAP Execution Model : Beyond tokens, the basic execution model for running applications under UAP uses existing process-creation functions (ShellExecute to call CreateProcess) augmented by UAP. There are four parts to the UAP execution model:
1. The Application Information Service (AIS) is a system service that launches applications requiring elevated privileges by first obtaining user consent (through the Consent User Interface) for privilege elevation, and then creating a new process for the application with the user's full token.
2. The Consent User Interface is launched by the AIS and runs with system privilege to get consent or credentials from the user in order to launch the application with a full token.
3. Requested Execution Level is a characteristic of an application that indicates which token (UAP or full) to use when it is launched. The system determines an application's Requested Execution Level by reading requestedExecutionLevel from the application's manifest, querying the Windows Vista AppCompat database entry, or by using the Windows Vista installer detection technology.
4. The AppCompat database supplied with Windows Vista contains information about the most common legacy applications that require privilege elevation.
Here's an example of the control flow of running an application under UAP:
• When a user tries to start an application, the Windows shell uses ShellExecute to call CreateProcess.
• CreateProcess determines whether the application requires elevated privilege by querying the application manifest, the Windows Vista AppCompat database, and the system installer detection technology in that order.
• If the application does not require elevated privilege the process is created through NtCreateProcess.
• If the application requires elevated privilege, CreateProcess, through a call to NtCreateProcess, returns a specified error to ShellExecute.
• On receipt of the error ShellExecute calls across to the Application Information Service (AIS) to attempt the elevated launch.
• AIS then prompts the user for consent through the Consent User Interface.
• ShellExecute then reissues CreateProcess for the user with the user full token to launch the application on the client's (UAP) desktop.
• NtCreateProcess launches the application with the specified full token.
• NtCreateProcess prompts user for consent through the Consent User Interface.
• NtCreateProcess launches the application with the specified full token.
Building UAP-Compliant Applications : Developers using Visual Studio tools can analyze their code for UAP compliance by using the AppVerifier tool. Both ClickOnce and the Windows Vista version of MSI (Windows Installer) technology are fully UAP compliant, and all application developers should try to make use of these technologies when working with installers.
Keep in mind that UAP compliance is all about least privilege. If your application runs properly under a nonadministrative account in Windows XP or Windows Server 2003, you won't run into any problems on Windows Vista.
To ensure that your application runs properly under Windows Vista, you should test your application as a USER.
• Identify and fix bugs to enable your UI to run as USER.
• If your UI does not require any administrator privileges to function, validate this by testing your UI as a USER and verify that all operations function correctly.
• If your UI only functions with administrator privileges, validate by testing your UI as a USER and verify that the UI requests elevation before launching.
For an application that provides different functions depending on whether the user is an Administrator or USER, there will be a way to allow for variable access to the application's administrative features.
The Security Configuration Wizard : Windows Vista enables developers to create roles-based extensions for the Security Configuration Wizard (SCW) so they can ship a Security Configuration Wizard extension with their server software, enabling customers to protect their servers while still allowing the third-party software to function properly. This allows developers to author new roles-based extensions for SCW such that auto-generated security policies can lock down system functionality based on the server role (services, ports, functionality).
Network Access Protection Framework: To ensure the health and security of a network, particularly one supporting roaming computing and the attachment of portable devices, Windows Vista provides the Network Access Protection (NAP) framework. NAP enables system administrators to define and enforce policies that require network clients to establish their trustworthiness and compatibility with the network before being given a specified access. Client systems are either given full access or placed in a restricted subsection of the network, where they have only limited access.
Click to enlarge
Mapping a network drive is easier than before
Developers should use API-level access to NAP and the Windows Filtering Platform (WFP) to reduce user and administrator security workloads by:
• Providing application-specific security settings supporting Firewall and NAT transversal.
• Allowing more detailed (down-to-packet-level) screening of data transmissions.
• Isolating and validating new tools and their configurations prior to fully installing and integrating them into a running system.
Network access client software and network access servers, which participate in the NAP, ensure that only healthy systems log on to the network. Unhealthy systems are put on a restricted VLAN for remediation so they can get on to the network.
Source: Microsoft
Get RSS feed Easy Print E-Mail this Message
Privacy policy - Contact Us . |
global_05_local_5_shard_00000035_processed.jsonl/58840 | Skip Channel4 main Navigation
Explore Channel4
See All
Big Brother
Day 26
Big Brother HomeLittle BrotherBig MouthBig Brain
RSS Feed
Get the Big Brother feed
What is RSS?
But Is It Art?
Cleo reads the task laminate.
Wednesday 17 January
Day 15, 17:28
For today's task, housemates must split into groups to create true works of modern art.
The celebrities' powers of creativity are being put to the test as they get in touch with their most raw emotions in the Modern Art Task.
Using the materials provided by Big Brother, the housemates are splitting into three groups of three and setting to work on their masterpieces. Each work of modern art should reflect one strong emotion that each individual member of the group has felt during their time in the House.
The group has been provided with paper suits, which they must wear for the duration of the task, and a set for plinths on which to create their work.
They can use fellow housemates or any of their possessions to create their works of modern art. On unveiling their work of art the housemates must discuss the title, the creative process behind it and whether it is actually 'art'.
They've got 90 minutes to complete the job - and if they successfully complete the task they'll be rewarded. Oooh!
>Discuss this story in the forums
Related Links
Latest Headlines
Watch Free Clips
Watch Free Clips more
CBB on your mobile
Celebrity Big Brother on your mobile Celebrity Big Brother on your mobile
Celebrity Big Brother Fun
Celebrity Big Brother Bingo |
global_05_local_5_shard_00000035_processed.jsonl/58845 |
Chapter: Problem:
• Step 1 of 1
Courtship displays ensure that the male and female are of the same species. They also coordinate physiological and hormonal responses between the pair. Finally courtship displays allow each to gauge the suitability of the other as a mate.
Select Your Problem
Get Study Help from Chegg
|
global_05_local_5_shard_00000035_processed.jsonl/58846 | Financial & Managerial Accounting 16th Edition
Chapter Problem
Chapter: Problem:
Merchandising Transactions
The following is a series of related transactions between Siogo Shoes, a shoe wholesaler, and Sole Mates, a chain of retail shoe stores:
Feb. 9 Siogo Shoes sold Sole Mates 100 pairs of hiking boots on account, terms 1/10, n/30.
The cost of these boots to Siogo Shoes was $60 per pair, and the sales price was $100 per pair.
Feb. 12 United Express charged $80 for delivering this merchandise to Sole Mates.. These charges were split evenly between the buyer and seller and were paid immediately in cash.
Feb. 13 Sole Mates returned 10 pairs of boots to Siogo Shoes because they were the wrong size. Siogo Shoes allowed Sole Mates full credit for this return.
Feb. 19 Sole Mates paid the remaining balance due to Siogo Shoes within the discount period.
Both companies use a perpetual inventory system.
a. Record this series of transactions in the general journal of Siogo Shoes. (The c'ompany records sales at gross sales price.)
b. Record this series of transactions in the general journal of Sole Mates. (The company records purchases of merchandise at net cost and uses a Transportation-in account to record transportation charges on inbound shipments.)
c. Sole Mates does not always have enough cash on hand to pay for purchases within the discount period. However, it has a line of credit with its bank, which enables Sole Mates to easily borrow money for short periods of time at an annual interest rate of 11 percent. (The bank charges interest only for the number of days until Sole Mates repays the loan.) As a matter of general policy, should Sole Mates take advantage of 1/10, n/30 cash discounts even if it must borrow the money to do so at an annual rate of 11 percent? Explain fully—and illustrate any supporting computations.
What is Chegg Study?
ISBN: 0078111048
ISBN-13: 9780078111044
View all editions
81% of students said using Chegg better prepared them for exams
2013 Chegg Homework Help Survey
• Where do solutions come from?
• What comes with membership?
• What subjects are covered?
Sample Textbook Solution
Engineering Mechanics Dynamics, 2nd Edition, Chapter 6, Problem 15
Get Study Help from Chegg
|
global_05_local_5_shard_00000035_processed.jsonl/58847 | Chegg Textbook Solutions for Physical Chemistry 8th Edition: Chapter 11
Chapter: Problem:
• Step 1 of 1
Comparisons between valence bond theory and molecular orbital theory:
(1) In both the methods, charge density between the nuclei is increased.
(2) In both these methods, bond is formed by overlapping of the two atomic orbitals having appropriate symmetry about the molecular axis.
(3) According to both theories only half filled orbitals can enter into combination.
(4) Both the methods lead to the formation of two types of bonds; they are (SIGMA) and bonds.
(5) In both of these theories, greater the overlapping, the greater is the strength of the bond.
(6) In these methods, atomic and molecular orbitals filled up according to the AUFBAU’S principle.
(7) Both the theories account for the directional nature of covalent bond.
Get Study Help from Chegg
|
global_05_local_5_shard_00000035_processed.jsonl/58848 |
If the launcher gives the projectile a muzzle velocity of 20m/s , what is the range of the projectile? [Hint: The acceleration due to gravity on the Moon is only onesixth of that on the Earth.]
Express your answer using two significant figures.
Get this answer with Chegg Study |
global_05_local_5_shard_00000035_processed.jsonl/58849 | A gas changes in volume from 0.730m3 to 0.210 m3 at aconstant pressure of 1.80 105 Pa.
(a) How much work is done on the gas?
(b) How much work is done by the gas on its environment?
(c) Which of Newton's laws best explains why the work done on thegas is the negative of the work done on the environment?
Get this answer with Chegg Study |
global_05_local_5_shard_00000035_processed.jsonl/58850 | List the characteristics of the chi-square distribution, and provide an example. What are the limitations of the chi-square? What is the difference between the goodness-of-fit test for equal expected frequencies and unequal expected frequencies? Provide an example of each
Want an answer?
No answer yet. Submit this
question to the community. |
global_05_local_5_shard_00000035_processed.jsonl/58851 | The switch in the figure has been open for a longtime and is closed at t = 0. Calculate the circuit time constant for t >0 if the circuit parameters are C = 0.56 mF,R1 = 19 Ohms, R2 = 3k Ohms, R3 =1.9k Ohms, R4 = 0.3k Ohms, R5 = 0.3k Ohms andVS = 15 V.
Input your answer inseconds.
correct answer0.302
Get this answer with Chegg Study |
global_05_local_5_shard_00000035_processed.jsonl/58852 | Two converging lenses having focal lengths of f1 = 10.8 cm and f2 = 20.0 cm are placed d = 50.0 cm apart, as shown in the figure below. The final image is to be located between the lenses, at the position x = 31.7 cm indicated.
(a) How far to the left of the first lens should the object be positioned?
(b) What is the overall magnification of the system?
(c) Is the final image upright or inverted?
Want an answer?
No answer yet. Submit this
question to the community. |
global_05_local_5_shard_00000035_processed.jsonl/58859 | Get 6 months of complimentary access to
Bill O'Reilly
Best-sellers: Hardcover fiction and nonfiction, plus Chicagoland hits
HARDCOVER FICTION 1."The Girl on the Train: A Novel" by Paula Hawkins (Riverhead, $26.95). Last week: 2 2. "All the Light We Cannot See: A Novel" by Anthony Doerr (Scribner, $27). Last week: 3 3. "Saint Odd: An Odd Thomas Novel" by Dean Koontz (Bantam, $28). Last week: 1 4. "Gray Mountain: A Novel" by John Grisham (Doubleday, $28.95). Last week: 4 5. "Burned: A Fever Novel" by Karen Marie Moning (Delacorte, $27). Last week: — HARDCOVER NONFICTION 1. "Zero Belly Diet: Lose up to 16 Lbs. in 14 Days!" by David Zinczenko (Ballantine, $26). Last week: 2 2. "The 20/20 Diet: Turn Your Weight Loss Vision Into... |
global_05_local_5_shard_00000035_processed.jsonl/58873 | Facebook: A site where cheerleaders can post their pep squad photos, where fathers can post smiling pictures of their happy daughters and where hunters can upload their latest trophy.
Or if you're Texas Tech cheerleader Kendall Jones, you'll find Facebook is a place for all of these photos to go on your profile. And that's what has a lot of animal rights activists upset, leading the way for a petition to ban Kendall from Facebook because of her posts with dead rhinos, lions, hippos and other animals she killed on her safari hunting trips.
So far, nearly 190,000 people have signed the online petition to ban Kendall, calling her photos "disgusting" and "cruel."
Kendall, 19, said she went on her first big game hunting trip to Africa when she was 9. And her Facebook profile is covered with photos of her trophies.
The uproar prompted a South African to post a petition on change.org calling for Jones to be banned from African states, reported USA Today.
Kendall says hunting helps animal conservation efforts, but many have taken issue with her photo next to a dead white rhino, an endangered animal with less than 20,000 left in the world.
Hunters and others are flocking to Kendall's Facebook page to show their support,
So here's the question for Mississippi: Do you support Kendall's facebook posts (and actions), or do you have an issue with her posting photos of the animals (some severely endangered) that she has killed on her hunting trips?
And just to help spark some more conversation, do you believe that hunting animals helps to conserve their populations?
For your listening entertainment (and because it's just such a good song)
Read or Share this story: http://on.thec-l.com/1lCoGWw |
global_05_local_5_shard_00000035_processed.jsonl/58889 | Enter multiple symbols separated by commas
Your Money Your Vote
Quiz: CNBC Quiz: Your Money Your Vote
Question 2 of 11
Who was president when the nation's debt passed $1 trillion for the first time?
1. Lyndon Johnson
2. Jimmy Carter
3. Richard Nixon
4. Ronald Reagan
Debt held by the public went from almost $924 billion in 1982 to $1.14 trillion in 1983, Reagan's third year in office.
Source: CBO |
global_05_local_5_shard_00000035_processed.jsonl/58893 | Citizendium: Wikipedia 2.0
Citizendium, the new wiki project from Larry Sanger (one of the co-founders of Wikipedia) launched publicly yesterday. Citizendium is a lot like Wikipedia, but with more emphasis placed on responsibility and the policing of content--two things arguably lacking in Wikipedia. Before you can contribute to Citizendium, users must apply for access, and it's not just a casual name and e-mail address; you actually have to provide your real name and sell yourself to the service's content cops in 100 to 500 words.
The site's content is managed and controlled by community moderators called "constables." After being screened and chosen even more carefully than ordinary contributors, constables are given the power to manage user submissions and general content. Constables aren't paid or given compensation for their services, it's purely a volunteer gig. Likewise, contributors receive nothing besides the prestige of creating and editing content for the service.
There are just more than 1,000 entries on the site. This pales in comparison to Wikipedia's 1,700,000 plus, but Citizendium just launched. Wikipedia's been live since early 2001.
Citizendium is an interesting experiment (a term coined by its founders, not me). It's too early to say whether or not it will become a serious competitor to Wikipedia. To my mind, Citizendium is setting itself up for problems. It's elitist. Yes, there's a lot to be said for credibility and responsibility on a site that aims to provide public information. But limiting contributions to a hand-picked audience is a very Web 1.0 thing to do. Sites such as Digghave thrived because anyone can join and begin contributing to the site, even if it's just to say yes or no to liking a news story. Similarly, Newsvinehas found a way to balance news as we know it (wire reports) and user-submitted news stories, with both sharing the same space.
There's another problem: redundancy. What makes Wikipedia so great is that search engines have crawled and indexed it like crazy. If you're casually searching for something on the Internet, its Wikipedia entry is usually one of the few top results in Google, MSN, and With Citizendium joining the fray, we'll likely have both results right next to one another, which might cause problems if one of Citizendium's contributors hasn't taken the time to update the entry compared to Wikipedia's. I'm not saying there can only be one portal for information, but the two sites are so visually similar it's bound to cause confusion.
Citizendium is a site to keep an eye on. I'm almost certain it will succeed considering the success of Wikipedia. It's a shame, though, that the philosophy underlying Citizendium was not applied or added to Wikipedia--because that's where the knowledge, and the users, are today.
CNET Networks
About the author
Discuss Citizendium: Wikipedia 2.0
Conversation powered by Livefyre
Show Comments Hide Comments |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.