2019.11.15 23:36 Serenaded OSRS Seasonal Leagues
2023.06.10 09:49 CreamyJuicyCows I haven't been able to stay hooked.
2023.06.08 20:32 NihilBlue Has anyone tried to build a Campaign -with- their players beforehand? What are some good practices?
2023.06.08 16:58 Temsei June 8th updates - Toolbelt item & upgrades, new task, offline potions & more
2023.06.08 03:48 Skwaddelz New to Members, need direction
2023.06.07 17:16 SubManagerBot Incomplete and Growing List of Participating Subreddits Thread 2
2023.06.06 22:47 OG_DarthJarJar Petition for a Crafting Minigame
2023.06.04 19:17 rs_dwn Archaeology training with porter buff
2023.06.01 22:32 Wamblingshark Returning player after many years looking for direction so I don't start over with a new email again.
2023.06.01 21:24 Gael_L They'll never suspect a thing
![]() | submitted by Gael_L to 2007scape [link] [comments] |
2023.05.31 03:35 LewyVittonDon Courses necessary for computational cognitive science specialization
2023.05.31 03:24 LewyVittonDon Programming/math courses for computational cognitive science undergrad
2023.05.30 04:00 nuclearkielbasa Bright Green + yellow 'shell' over urate?
2023.05.29 18:05 MadHatWorld Searching for a system than can handle epic cinematic heroic fantasy
2023.05.29 13:28 arbind_ Coding Complex and Advance Calculator Which Supports Bodmas And Brackets up to 35 nested brackets, ! we are not using eval() input i.e: ((((4 + 7) * (2 - 1)) + 6) / ((8 / 4) * (5 - 2))) + ((((3 - 2) * 5) + (6 / 3)) - ((9 / 3) - 1)), output: 7.83333333333
![]() | submitted by arbind_ to u/arbind_ [link] [comments] Image from video tutorial Hey there, amazing viewers! Are you tired of watching countless calculator tutorials that fail to showcase the true power of nested brackets and precise calculations? Well, hold onto your seats because this is a game-changer! I present to you the first-ever YouTube video demonstrating how to create a bracket-supported calculator with a mind-blowing 99.9% accuracy using the BODMAS rule. Let's be honest, folks. The logic behind handling up to 35 nested brackets, along with functions like cosine, sine, tangent, and logarithms, can be mind-boggling. But fear not! I've painstakingly crafted a gift for you—a calculator that tackles these complexities head-on. Now, you might be thinking, "What if I have a better idea for the logic?" Well, guess what? You can contribute your own genius to this code! Just tag me in your modifications and let's make this a collaborative masterpiece. This calculator's versatility knows no bounds—it can handle any equation, as long as it's in the right format with brackets. Plus, it excels at tackling the most complex BODMAS operations, delivering a staggering 99% accurate output. But here's the real kicker—we've built this calculator completely from scratch. No frameworks, just pure JavaScript and ingenuity. It's a testament to the power of our minds and the endless possibilities of this incredible language. Just a heads up, though: this tutorial assumes you're no stranger to JavaScript and have intermediate-level development skills. If you need some extra practice, take your time to master the concepts of recursion, string manipulation, number manipulation, array methods, and loops. We're focusing on the logic here, so we won't be delving into creating a fancy UI. But hey, I believe in you! You can design your own sleek interface. Now, let me assure you of the accuracy and reliability of this calculator. We've put it through rigorous testing, comparing its results to the likes of Google Calculator and Microsoft Calculator. The outcome? An astonishing 99.9% match! That's right, this little powerhouse performs on par with the industry giants. If you're as blown away by this incredible work as I am, make sure to hit that subscribe button for more mind-bending videos like this. Together, we'll unlock the secrets of JavaScript and revolutionize the world of calculators. Thank you for joining me on this thrilling journey. Get ready to witness the unmatched capabilities of our bracket-supported calculator! I have made video on this topic want to watch: https://youtu.be/GN4gDqnqhHQ source code : = 000000000000.1 JavaScript: let textarea = document.querySelector('textarea'); let operatorObj = {'*': -1, '/': 0, '+': 3, '-': -9}; let firstBraketAllowed = true; let lastBracketAllowed = false; let alphabets = 'abcdefghijklmnopqrstuvwxyz'; let obj = {}; Array.from(alphabets).forEach(e => { obj[e] = -1; }) let isBracket = {'(': 0, ')': -1} let calculatedValue = []; let savedValue = []; let index = 0; let previousStr = []; let calculatedValueForTrignomerty = []; function evaluate(input, mathOrNot){ let trignomertyValues = []; if(!input.includes('/') && !input.includes('/') && !input.includes('+') && !input.includes('-') && !input.includes('(') && !input.includes('*')){ return savedValue.push(+input); }else if(input.charAt(0) in obj){ input = input.replace('sin(', 'Math.sin('); input = input.replace('cos(', 'Math.cos('); input = input.replace('tan(', 'Math.tan(') input = input.replace('log(', 'Math.log('); let value = input.slice(9, input.length - 1); let mathKey = input.slice(5, 8); if(value.includes('*') value.includes('/') value.includes('+') value.includes('-')){ evaluate(value, true); value = calculatedValueForTrignomerty[0] } let Evaluate = Math[mathKey](value); trignomertyValues.push(Evaluate); return savedValue.push(trignomertyValues[0]); } let userInput = ''; for(let i = 0; i < input.length; i++){ if(i === 0){ if(input[i] == '-'){ userInput += input[i] }else{ userInput += input[i] } }else{ let char = input[i]; let earlierInputChar = input[i - 1]; if(char in operatorObj){ if(earlierInputChar in operatorObj && char === '-'){ userInput += input[i]; }else{ userInput += ' '; userInput += input[i]; userInput += ' '; } }else{ userInput += input[i]; } } } let expression = userInput.split(' '); let operator = []; let number = []; for(let i = 0; i < expression.length; i++){ if(expression[i] in operatorObj){ operator.push(expression[i]) }else{ number.push(parseFloat(expression[i])) } } let bodmAS = [['/', '*'], ['+', '-']]; for(let j = 0; j < bodmAS.length; j++){ let i = 0; while((i = operator.findIndex(e => bodmAS[j].includes(e))) !== -1){ let result; let firstOperand = number[i]; let Operator = operator[i]; let lastOperand = number[i + 1]; if(Operator === '/'){ result = firstOperand / lastOperand; }else if(Operator === '*'){ result = firstOperand * lastOperand; }else if(Operator === '+'){ result = firstOperand + lastOperand; }else if(Operator === '-'){ result = firstOperand - lastOperand; } number.splice(i, 2, result); operator.splice(i, 1) } } return !mathOrNot ? savedValue.push(number[0]) : calculatedValueForTrignomerty.unshift(number[0]); } function solvingBracketsBug(splitedValue){ for(let i = 0; i < splitedValue.length; i++){ if(splitedValue[i] !== ''){ let firstChar = splitedValue[i].charAt(0); let lastChar = splitedValue[i].charAt(splitedValue[i].length - 1); if(!Number.isInteger(+firstChar) && !Number.isInteger(+lastChar)){ calculatedValue.push(splitedValue[i].slice(1, splitedValue[i].length - 1)); }else if(!Number.isInteger(+firstChar) && firstChar !== '-'){ calculatedValue.push(splitedValue[i].slice(1, splitedValue[i].length)) }else if(!Number.isInteger(+lastChar)){ calculatedValue.push(splitedValue[i].slice(0, splitedValue[i].length - 1)) }else{ calculatedValue.push(splitedValue[i]) } } } } function mainLogic(VALUE){ VALUE = VALUE.split(' ').join(''); let str = typeof previousStr[0] === 'string' && previousStr[0].length >= 1 ? previousStr[0] : VALUE; if(str.includes('s') str.includes('c') str.includes('t') str.includes('l')){ let value = ''; let anotherValue = ''; for(let i = 0; i < str.length; i++){ if(str[i] in obj){ if(firstBraketAllowed){ firstBraketAllowed = false; value += '('; anotherValue += '('; } } if(str[i] in isBracket){ if(lastBracketAllowed){ lastBracketAllowed = false; firstBraketAllowed = true; value += str[i]; value += ')'; anotherValue += ')'; } if(str[i - 1] in obj){ lastBracketAllowed = true; value += str[i]; anotherValue += str[i]; }else{ if(str[i] == '('){ anotherValue += '.'; }else{ anotherValue += ','; } value += ','; } }else{ value += str[i]; anotherValue += str[i] } } str = anotherValue.replaceAll('.', '('); str = str.replaceAll(',', ')'); let splitedValue = value.split(','); solvingBracketsBug(splitedValue); let calcValues = calculatedValue.map(e => { if(e.charAt(0) === '('){ return e.slice(1, e.length); }else{ return e; } }) calcValues.forEach(elems => { evaluate(elems, false); }) calcValues.forEach(elems => { str = str.replace(`(${elems})`, savedValue[index++]); }) }else{ let value = ''; for(let i = 0; i < str.length; i++){ if(str[i] in isBracket){ value += ',' }else{ value += str[i]; } } let splitedValue = value.split(','); solvingBracketsBug(splitedValue); calculatedValue.forEach(elems => { evaluate(elems, false); }) calculatedValue.forEach(elems => { str = str.replace(`(${elems})`, savedValue[index++]) }) } if(str.includes('(')){ previousStr.unshift(str); return mainLogic(str); } evaluate(str); console.log(savedValue[savedValue.length - 1]); return document.getElementById('ans').textContent = savedValue[savedValue.length - 1]; } document.addEventListener('keydown', event => { let key = event.key; if(key == 'Enter'){ mainLogic(textarea.value); } }) |
2023.05.28 21:01 Marvynwillames [Multiple Excerpts] An Analysis on Tau FTL
The original theory (what may or may not be the ether drive, or also known as 'warp dives') came from Battelfleet Gothic - originally in BFG Magazines (I took mine from bFG Magazine 19) but got reiterated in BFG Armada:
BFG magazine 19 said:
The Tau were able to duplicate the warp drive of the alien ship but the initial test flights were disastrous. Achieving transition to the Warp required more than technology, it required psychically attuned minds and the Tau race boasted no psykers. Without them to guide the transition no amount of power could breach the dimensional barriers. The best the Tau could do was make a partial translation, forcing themselves into the void that separated Warpspace and realspace before they were hurled out again like a ball held under water then released.
..
The Water caste scientists made the observation that the boundary between real space and warp space was not a neat line. It was closer to being a turbulent ocean fomented by the tempestuous warp tides below. By carefully angling their descent toward the Warp and extending the field generated by the gravitic drive into a wing shaped to hold the vessel down, a Tau vessel could extend the duration of the dive considerably. The speeds achieved in the ascent back to real space were staggering and coupled with the effect of the Warp on time and space ensured that the real distance covered by the dive was immense. Early tests lost several drone ships because they inadvertently passed far beyond the sensor range of the recovery vessels.
...
There was still a major constraint, only the most powerful (and bulky) drives could sustain the gravitic wing throughout the dive and the power drain meant that considerable recharge time was needed between dives. Also by comparison to actually navigating the warp the pace was still very slow. Taking typical Imperial Warp speeds the Tau drive was slower by a factor of five. The speed was consistent though, did not expose the Tau to the perils of the Warp and enabled the Tau to expand beyond their home star for the first time.
This should be well established by know, and it's pretty self explanatory. But its worth revisiting for tying everything together because in many ways the FTL system incorporates multiple parts. One part was the Tau gravity drive. Another part was the ability to 'partially' enter the warp for the dive and maintaining that dive as long as possible. And its a process they kept improving on. On the surface of this the implication is that around or even before First Sphere they had FTL, whereas the earliest you could plausibly argue they MIGHT achieve warp diving in current fluff is by third sphere. At least, in widespread usage. You could certainly have the Tau experimenting with FTL (they experimented with Imperium warp drives in Crisis of Faith after all) and that goes back to previous spheres. We could in that respect view Tau propulsion advances to be incremental steps along that path to achieving true Warp drive (or something close to it - which may be what Fourth Sphere's slipstream is/was.) I'll touch more on that 'incremental' development' later.
BFG Magazine 19 said:
Waystations are distributed throughout the Tau Empire. They mark out the main routes between Tau septs and are used to speed communications between outposts.
This has nothing directly to do with FTL travel, except to mark/identify routes they use (and maybe facilitate those routes somehow) but it does mention that they have a role in communication. I'll touch on that after the FTL stuff, although it centers almost entirely around the Shadowsun novella.
BFG Magazine 19 said:
Unlike the Tau the Kroot are capable of true Warp travel but the exact method has been kept secret from their employers. To the Kroot, warp travel is almost migratory and they seem incapable of navigating anywhere other than systems with habitable worlds. It appears they are drawn to functioning ecosystems.
In alot of ways its belief-shaped (mass belief) and not unlike Orks and the way space hulks operated. It might explain why the Tau never found the Kroot's use of warp travel all that useful, since it seems like it would be potentially erratic or less precise than warp dives. Still, it makes no fucking sense for Kroot, Demiurg or other warp sensitive allies of the Tau to have FTL but the Tau don't, especially since many factions (including Kroot and Demiurg) contribute ships to Tau fleets!
Other later sources like Deathwatch Achius Assault carried that FTL over, and even suggested it was route based (or may have had an even longer rnaged, route based variation on the 'warp dive' that allowed Vellk'han sept to reach Jericho Reach:
Deathwatch Achilus Assault said:
The humans are not the only ones to explore the Black Reef and the Tau too have been sending scouts into its gravity ravaged depths. Less willing to needlessly sacrifice their warriors, the Tau have employed those aliens from their empire with an affinity for the void and a skill at space faring, such as the ethereal Ji'atrix and the void-dwelling Nicassar. More successfully than the Imperium, the Tau have mapped
a number of routes through the edges of the Reef, at least on their side of the anomaly, allowing their ships more tactical flexibility than those of their enemies and also allowing them to lay deadly ambushes within the edge of the Stygian Break.
The Tau also enjoy a rare speed advantage over the Imperium within the Black Reef as their unusual method of near-Warp travel works more effectively than completely entering the Warp and is less prone to disruption by the gravity storm.
I mentioned the White Dwarf's circa 6th edition which alluded to it, but you also had Storm of Damocles which also seems to reference Warp dives:
Storm of Damocles said:
LOCATION: CANNIS GAS CLOUD,
DAMOCLES GULF, 999.M41
Without psykers, the tau could not make translations into the warp, but they had learnt to make short hops through the edge of the immaterial and real space, sticking to pre-ordained 'stepping stones'. This particular transit point, deep in the Cannis gas cloud, was known to connect to the Sexton Sector. It was what the tau thought was a safe transit route, but its location had been known to the Deathwatch for some time.
...
As he spoke, the first of the tau ships seemed to pulse as it skimmed into the immaterium. In ten minutes they were all gone, and the space before them was empty once more, except for the light of distant stars.
This meant that -at least in certain incarnations - warp dives relied on certain routes/paths/points to travel along (adding a certain degree of predictability, not unlike the warp routes between star systems in BFG) - it can be thought that BFG might have applied those same limitations to other factions and their FTL (Necron inertialess drive, Tau Warp Dive/Ether drives) so this was always an 'intended' trait. It also makes it clear its far from instantaneous - it takes minutes to achieve the 'skip' and unlike 'true' warp translation there is no rift. Presumably the rift only occurs if you actually punch the hole through into the Warp - the 'interstitial' medium the Tau travel through might simply be thought of as temporal/spatial distortions (we know warp rifts can be temporal/spatial distortions too - one reason that translations to/from warp space can be so highly distorted by gravity and one reason why translations in-system close to planetary bodies are so hazardous)
Storm of Damocles said:
It was a week's journey back through the warp to Picket's Watch. A team of servitors re-established power for the databanks, repairing broken cables and then coaxing out the reams of tau information.
The Space Marines had little need for sleep. They worked constantly, comparing Imperial star charts to those of the tau, finding known points of reference, and slowly piecing together a picture of tau movements to and from the Agrellan Warzone.
..
When they had inputted it all, the holo-charts glowed with criss-crossing web-lines of xenos activity. Its scale and sophistication repelled them all. Supply hubs, refuelling stations, convoy protection teams, automated drone sentries, human worlds secretly compliant, all enabling the massive movement of the invasion fleet that had smashed through to Agrellan. Konrad located two new routes that had appeared only a Terran week before the appearance of the Stormsurges.
'This is how they are transporting their new battlesuits,' he said with grim conviction.
Again note that the use of routes and mapping is important for Tau Warp Dives circa 3rd sphere (Agrellan) and they are clearly covering many tens of light years in months at most. Indeed some 'routes' seem to involve a bare week difference implying transit speeds of many hundreds of c at a bare minimum. There's literally no way third sphere could play out as it did without FTL, so this is beyond dispute.
All the same, some materials try to dispute it. While the Codexes since 6th haven't explicitly forbidden FTL, the rulebooks were something of another matter. At least in 8th edition:
8th Edition Rulebook said:
Being a non-psychic race, the T'au have no understanding of the warp, so their star fleets travel at sub-light speeds. New technological innovations have steadily increased their range, allowing them to press ever further into the galaxy. Their Second and Third Spheres of Expansion were halted only due to the barrier of the Damocles Gulf and increased resistance from the Imperium of Mankind.
Making it a bit of a headache to tie together, but not impossible since there's no real context or detail attached to the comment.
Codex tau 8th said:
In order to reach those more distant systems earmarked as desirable by advanced scouts, the vast armadas of T'au spacecraft had been outfitted with the latest Earth caste modifications. The ships' propulsion systems were upgraded so that when magnified by impulse reactors, the engines could obtain faster speeds, propelling ships forwards at hitherto unthinkable velocities. To further lessen the burden on those space-faring craft with the longest journeys, the Earth caste had outfitted transport vessels with large stasis chambers, allowing Hunter Cadres or whole commands to shift to far distant battle zones months or years away without actually aging a day in the process.
This quote cropped up in 6th too, and it was hilarious then. The 'third' iteration with the impulse reactors boosting previous drive advances (namely, the horizon drive) sound hilarious. Impulse reactors push ships to 'unthinkable velocities' yet we already knew the supposedly 'sublight' Tau already achieved near-lightspeed. Getting nearer to lightspeed might provide some more relativistic effects to protect the crew a bit from the duration, but its not going to add jack shit to speed... unless you exceed the speed of light.
In keeping with that hilarious inconsistency, the Tau in fact do this multiple times since 6th. To wit:
Tyranid 6th said:
FLIGHT TO KE'LSHAN
Though the Tau fleet was pursued by dozens of bio-ships, only a handful of cadre vessels were boarded and destroyed before the Tau successfully punched through the Tyranid blockade. Unaffected by the Shadow in the Warp, the Tau's ZFR Horizon drives propelled their ships at near light speed through realspace, and arrived safely at Ke'lshan. It took the Tyranids many days to traverse the same span of space, and for the first time in months, the Tau hoped to have a chance to catch their breath and recuperate.
Yes. Their magical horizon drives actually allowed the Tau to [i[Outrun the Tyranids[/i] Now remember that while the Tyranids having warp drive post 5th was up for debate, they still had Narvahls so its baffling that the 'sublight' Tau could outrace an explicitly FTL race. Compoudning that hilarity is the timeframe - Hive Fleet
Warzone Damocles said:
Propelled at ever greater speeds by the latest Earth Caste impulse reactors, the vast armada of Aun'Va's Tau Coalition powered across the Damocles Gulf and into Imperial Space. The expeditionary force met little in the way of significant opposition, even from the Imperial worlds that rejected the offers of the Water caste's ambassadors.
This repeats the codex bits on impulse reactors, and as I said for Third Sphere and War Zone Damocles you pretty much need to be crossing tens or hundreds of light years in weeks or months... there's no way around it being FTL. The only speeds greater than near-c are going to be many time greater than c.
Given that we can speculate on a Tau drive (and FTL) progression that follows this pattern:
Tau FTL model
First sphere has them evolving the gravity drive as per BFG. This may or may not also result in the modifications that allow (retroactively) to swiftly colonize their immediate surroundings for the First sphere expansion due to weird properties (time/space dilation) and closely placed star systems
Gravity drive (first sphere). This could still result in the discovery of a crashed alien ship and its warp drive (and experiments into that technology) but nothing definite or widespread yet.
Second Sphere is where things start to get interesting. They expand further by charting routes through dangerous parts of their space (including the Damocles gulf) through trial and error. This could be the point where we actually get navigation into and out of warp rifts in some cases, and with others you simply have warped distances/pathways to travel along. This still allows them to be 'sublight' but achieve travel that doesn't take years or decades like it should.
Second sphere, however is where they start meeting the Orks and eventually the Imperium. They learn more about FTL drives (from Ork and Imperial vessels) and they perhaps begin to study the routes that permitted their swift journeys as well. Second sphere stretches out for some time and even the end is some distance into the future, so there is lots of time for additional advances. The Horizon drive would maximize their travel speeds - travelling as close to the speed of lgiht as efficiently possible means making the most out of not only navigating warp rifts but the routes as well. Other examples of this in action would be the Black Reef/Hadex anomaly from Deathwatch
Eventually they start tinkering with their drive system in other ways to achieve other effects. We can presume the grav drive is a factor in protecting them from the effects of the warp minus a gellar field (in conjunction with their low/nearly nonexistent warp souls) but the grav drive configurations may enable them to more effectively harness and shape the routes they take, and we get into the first steps of warp dives. They start out slow and less efficient at first, but over time they continue refining the process and making improvements (being able to maintain the dive for longer (Velk'Han and Deathwatch come in here.)
Eventually, they learn to artificially replicate the Warp Dive without being confined to routes - they still can't enter the warp and it may be slower than 'in-route' travel, but this allows them much more flexibility in expanding than they had. This may or may not be the 'impulse reactors' of third sphere - we might surmise these are sort of a weaker version of slipstream drive that only achieves the 'partial' translations. We might consider this the ether drive - the logical conclusion of their pre-Warp drive travel. Speeds may get closer to equalling 'average' warp travel (non Navigator) but its still potentially much slower than true warp drive even if they could maintain the dive indefinitely (which at that point, they might on at least some ships or in some locations) Smaller ships like the Manta can also be equipped with FTL drives now.
Third sphere ends with the conflagration fo the Damocles Gulf and the Tau can no longer bypass it effectively (We could surmise that any 'artificial' dives are too short ranged or slow to make this practical over reasonable timescales for the Tau to wage war. The fastest longest-ranged routes for warp-diving would be through the Gulf, much as travelling to Jericho Reach meant the Hadex anomaly and black Reef. The Tau cannot continue their progress until the creation of slipstream drive (the final evolution of the impulse reactors to emulate Warp drive without psykers or navigators) and that brings us to 8th and eventually 9th with the fifth sphere and the Startide Nexus.
And 9th edition brings us the promise of a sixth sphere expansion... courtesy of the slipstream drive:
Codex Tau 9th said:
"Or do we exercise our new-found reach to once again push beyond what the Gue'la call the Damocles Gulf, to reclaim the septs that were lost and drive deeper than ever into the western galactic reaches? Understand my guests,this is not some mere dream. Fio'vre Ka'buto and his scientists assure me that the modifications they have made to their original designs render the Slipstream module safer and more stable than ever before when deployed en masse. With such a device at our disposal, the stars are closer than ever, and oru duty to reach them clearer.'
El'Umeh couldn't believe what she was hearing.
The Sixth Sphere Expansion, she thought, light-headed with amazement. The Ethereal Supreme is considering the commencement of the Sixth Sphere Expansion, and he is asking for my Commander's thoughts on where it should occur.
Such a thing was unheard of. The battles of the Fith Sphere Expansion still raged beyond the Zone of Silence. O'Shaserra herself led the push to colonise new worlds and raise new septs beyond the fabled wormhole. El'Umeh was hardly in possession of all the data, yet she had the impression that the empire had expended vast resources already on gathering and launching that fleet. To think that it could muster a sixth expansion even while the fifth was still underway... had the scope and scale of T'au space truly grown so vast?
Setting aside the implication that the Tau are vast enough in terms of territory and industry to sustain two Spheres of expansion so closely together, we're told that they can now safely engage in large scale use of slipstream and derive the benefits of its speed in their expansion. No more limits to warp dives or ether drive. They could achieve something that matches at least some kinds of Warp travel.
This also makes clear that the Tau not only didn't lose slipstream travel with fourth sphere. It was simply limited in its scale of application. Single ships (or small numbers) might be able to harness it effectively and without danger - but large fleets (scores or hundreds) were dangerous. Now, that may no longer be so true, and that is a HUGE game changer for the Tau.
Another thing to consider is - as I said before - in many ways the 'Ether drive/warp dive' feature is describing the same essential capability, it just evolves incrementally with each step or including a new wrinkle. First you have the grav drive - which plays a role in maintaining the warp dive once they develop that technology and presumably protecting the craft and permitting some degree of navigating the charted routes in their domain. Then as per 6th you have the 'Horizon' drive which allows for rapid and effective near-lightspeed travel. If the routes allow for the warp to amplify sublight speeds into translight speeds, then maximizing your realspace speed would be the best way to optimize travel time.
Eventually late second/early third you're getting into the true Ether Drive/Warp Dives as outlined in BFG and the impulse reactor upgrade allows for that push for 'artificially' created routes/dives (and possibly leads to the truly long-distance travel like allowing Kel'Shan to reach Jericho Reach sector despite being potentially hundreds of light years away) - the grav drive helps to maintain the dive, the Horizon engines keep speed maximized during that dive. Despite being from different, unconnected sources, you can clearly treat each iteration as being an improvement of each technology, allowing the Tau to move that much faster until they reach the presumable endpoint (currently) with a fully fledged and potentially workable slipstream drive that can be utilized for large fleets - leading to Sixth Sphere.
****
Now we get to FTL comms courtesy of Shadowsun, last of Kiru's line:
Shadowsun last of Kiru's Line said:
'It is agreeable to see you, Shas'la,' she said. 'What is the status of our communications?'
Sabu'ro glanced at Kou'to before answering. The veteran's nod told him that it was all right to address Shadowsun directly.
'Commander,' he said proudly, 'we are fully capable. Local tightbeam and interplanetary tachyon arrays are both at one hundred per cent.'
'Are you able to contact the rest of the fleet?'
'It has already been done. All ships are holding at station-keeping eight light-minutes beyond il'Wolaho's moon, as per your previous instructions. Command of the armada has passed to Kor'el Kenhi'ta, who relayed the news of what transpired today to T'au via graviton data packet.' He smiled. 'After you last spoke to me, I made all vessels aware of your survival.'
'Was that news also relayed to T'au?'
Young Sabu'ro seemed confused by the question. 'Why would it not be?'
Shadowsun nodded, imagining what the reaction must have been back on the home world. First, news that a powerful warship had been destroyed with all hands lost. Then, later on, a second bulletin informing everyone that she and a handful of others were alive, but for the moment, non-recoverable. Shock, followed by sadness, followed by joy, followed by concern. The halls of the Aun't'au'retha, the supreme council of Ethereals who presided over the Empire, must have been uncharacteristically lively this day. Once again, she blamed herself.
...
'Commander, there's an incoming data packet addressed to you.' He passed the flex-screen to Shadowsun. 'A pre-recorded message of some kind, relayed through the fleet position.'
Il'Walaho was nearly one hundred and fifty light-years away from the heart of the Empire. Real-time communication over such distances was impossible, even for a race as technologically advanced as the tau. Shadowsun took note of the time stamp as the bundle of words and decompiled themselves; whatever the nature of this message, it had been sent while her fleet was in translation from T'au.
'It says here that this was made and received some time ago. Why am I only seeing it now?'
Sabu'ro shook his head as the recording began.
'O'Shaserra,' it said slowly and clearly, 'This is Aun'va speaking. As leader of the Aun't'au'retha, may I say that it brings great relief to all to hear that you have survived the destruction of your command vessel.'
We get reference to 'tachyon' communications (presumably the short-range/in system stuff) and the 'grav-wave' data packets. There are two distinct kinds of communication and calcs here but I'll indulge in a little speculation relating to Eye of Terror. A numbe rof sources (Eye of Terror website back in 3rd edition, the Deathwatch RPG) mention tachyonic bullshit, and its often tied to Warp phenomena (as is 'subspace' bullshit in the Hoare novels.) We also know that gravity and spatial distortions are closely related to warp phenomena as well. And as mentioned before, Eye of Terror indicated that in a warp-realspace interface 'lightspeed' signals (like photons/light) could be effectively translight. In that sense, we might consider 'tachyons' to be matter subjected to the translight properties of the warp, wheras grav packets might be some sort of weird modulated grave pulses that create a sort of warp 'dive' signal to relay data back to the destination (unless of course its a physical vessel. That's not clear.) It may even be that its a tachyonic signal that is manipulated the same way the grav drive helps maintain a warp dive.
Anyhow, bullshit speculatin over nature done, we go to the calcs. The first is for the ship-to ground communications which are almost or effectively instantaneous over an eight light minute distance (this will get reiterated later) and that plays out to around at least FTL communications speed of tens of c (call it 50c or so.)
The grav-packet takes longer, but it occurs well within the space of a day (twelve hours) and possibly as little as four to six hours (remember it started during morning, and now its afternoon to evening here.) so its clearly a matter of hours top, and less than a day at worst. For the message to cover 150 LY in one day (12 hours to 24) you get between 54,000-109,000c roughly. In 4-6 hours it would be more like 220,000-330,000c. That's slow compared to some and not suitable for FTL travel (even commercial astrotelepathy can cross 10-20 LY in around 11 minutes as per Eisenhorn, whereas others have realtime communication between two nearby systems and multiple light years. 1st edition has Astrotelepathy crossing 50,000 LY in seconds or minutes even, albeit with ten words or less.) But for the Tau? That's quite fast, esp considering their FTL (such as it is) would be orders of magnitude slower. Many times throughout her career, she had pictured the memorial they would erect of her on T'au following her death. It would be placed before the Mont'yr Battle Dome, of course, where it would stand among the other heroes of her people, immortalised in six-metre-high white marble. Along the base would read her accolades – Shadowsun, daughter of Kiru, hero of the K'resh Expansion War, scourge of the greenskin barbarians, bulwark against the hive fleets.
The K'Resh Expansion War was part of the Great War of Confederation which took place in 975.M41 and lasted a dozen years, meaning this is between the end of that (12 years later, or in 987.M41) and the start of 3rd sphere in 997.M41 - no more than a decade difference. Given that Third Sphere involved Aun'Va accompanying Shadowsun personally (As 6th edition outlines) from the Tau homeworld, that means Shadowsun made a round trip from the edge of the empire and back to pick up the Supreme leader (5 years both ways).
2023.05.28 19:06 ArcticForPolar My short review of GD league 5
2023.05.28 02:55 IamCarbonMan Braindead tanky build for endgame bossing?
2023.05.27 20:57 Osmumten This needs to be said about 350 ToA.
2023.05.27 01:24 ToeDisastrous3879 White girl gets into TWO Ivys but commits to her DREAM school after a deferral!
2023.05.25 04:17 LSOreli Unpopular Opinion: Ironman isn't fun because the skilling is "Challenging"
2023.05.25 01:45 KuaiBan Lv100 pure Werewolf build focused on Crit, Tankiness and Sustain, including Paragon Board.
2023.05.25 00:16 Cpreczewski My Poison Twisting Blades Rogue