name
stringlengths
2
74
C
stringlengths
7
6.19k
Rust
stringlengths
19
8.53k
Time a function
#include <stdio.h> #include <time.h> int identity(int x) { return x; } int sum(int s) { int i; for(i=0; i < 1000000; i++) s += i; return s; } #ifdef CLOCK_PROCESS_CPUTIME_ID #define CLOCKTYPE CLOCK_PROCESS_CPUTIME_ID #else #define CLOCKTYPE CLOCK_MONOTONIC #endif double time_it(int (*action)(int), int arg...
use rand::Rng; use std::time::{Instant}; fn custom_function() { let mut i = 0; let mut rng = rand::thread_rng(); let n1: f32 = rng.gen(); while i < ( 1000000 + 1000000 * ( n1.log10() as i32 ) ) { i = i + 1; } } fn main() { let start = Instant::now(); custom_function(); let duration...
Tokenize a string
#include<string.h> #include<stdio.h> #include<stdlib.h> int main(void) { char *a[5]; const char *s="Hello,How,Are,You,Today"; int n=0, nn; char *ds=strdup(s); a[n]=strtok(ds, ","); while(a[n] && n<4) a[++n]=strtok(NULL, ","); for(nn=0; nn<=n; ++nn) printf("%s.", a[nn]); putchar('\n'); free(ds); return 0...
fn main() { let s = "Hello,How,Are,You,Today"; let tokens: Vec<&str> = s.split(",").collect(); println!("{}", tokens.join(".")); }
Tokenize a string with escaping
#include <stdlib.h> #include <stdio.h> #define STR_DEMO "one^|uno||three^^^^|four^^^|^cuatro|" #define SEP '|' #define ESC '^' typedef char* Str; unsigned int ElQ( const char *s, char sep, char esc ); Str *Tokenize( char *s, char sep, char esc, unsigned int *q ); int main() { char s[] = STR_DEMO; unsign...
const SEPARATOR: char = '|'; const ESCAPE: char = '^'; const STRING: &str = "one^|uno||three^^^^|four^^^|^cuatro|"; fn tokenize(string: &str) -> Vec<String> { let mut token = String::new(); let mut tokens: Vec<String> = Vec::new(); let mut chars = string.chars(); while let Some(ch) = chars.next() { ...
Top rank per group
#include <stdio.h> #include <stdlib.h> #include <string.h> typedef struct { const char *name, *id, *dept; int sal; } person; person ppl[] = { {"Tyler Bennett", "E10297", "D101", 32000}, {"John Rappl", "E21437", "D050", 47000}, {"George Woltman", "E00127", "D101", 53500}, {"Adam Smith",...
#[derive(Debug)] struct Employee<S> { id: S, name: S, department: S, salary: u32, } impl<S> Employee<S> { fn new(name: S, id: S, salary: u32, department: S) -> Self { Self { id, name, department, salary, } } } #[rustfmt::skip...
Topological sort
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <ctype.h> char input[] = "des_system_lib std synopsys std_cell_lib des_system_lib dw02 dw01 ramlib ieee\n" "dw01 ieee dw01 dware gtech\n" "dw02 ieee dw02 dware\n" "dw03 std synopsys dware dw03 dw02 dw01 ieee g...
use std::boxed::Box; use std::collections::{HashMap, HashSet}; #[derive(Debug, PartialEq, Eq, Hash)] struct Library<'a> { name: &'a str, children: Vec<&'a str>, num_parents: usize, } fn build_libraries(input: Vec<&str>) -> HashMap<&str, Box<Library>> { let mut libraries: HashMap<&str, Box<Library>> = ...
Totient function
#include<stdio.h> int totient(int n){ int tot = n,i; for(i=2;i*i<=n;i+=2){ if(n%i==0){ while(n%i==0) n/=i; tot-=tot/i; } if(i==2) i=1; } if(n>1) tot-=tot/n; return tot; } int main() { int count = 0,n,tot; printf(" n %c prime",237); printf("\n---------------\n"); ...
use num::integer::gcd; fn main() { println!("N\t phi(n)\t Prime"); for n in 1..26 { let phi_n = phi(n); println!("{}\t {}\t {:?}", n, phi_n, phi_n == n - 1); } [1, 100, 1000, 10000, 100000] .windows(2) .scan(0, |acc, tuple| { *acc += (tuple[0]..=tu...
Towers of Hanoi
#include <stdio.h> void move(int n, int from, int via, int to) { if (n > 1) { move(n - 1, from, to, via); printf("Move disk from pole %d to pole %d\n", from, to); move(n - 1, via, from, to); } else { printf("Move disk from pole %d to pole %d\n", from, to); } } int main() { move(4, 1,2,3); ret...
fn move_(n: i32, from: i32, to: i32, via: i32) { if n > 0 { move_(n - 1, from, via, to); println!("Move disk from pole {} to pole {}", from, to); move_(n - 1, via, to, from); } } fn main() { move_(4, 1,2,3); }
Tree traversal
#include <stdlib.h> #include <stdio.h> typedef struct node_s { int value; struct node_s* left; struct node_s* right; } *node; node tree(int v, node l, node r) { node n = malloc(sizeof(struct node_s)); n->value = v; n->left = l; n->right = r; return n; } void destroy_tree(node n) { if (n->left) ...
#![feature(box_syntax, box_patterns)] use std::collections::VecDeque; #[derive(Debug)] struct TreeNode<T> { value: T, left: Option<Box<TreeNode<T>>>, right: Option<Box<TreeNode<T>>>, } enum TraversalMethod { PreOrder, InOrder, PostOrder, LevelOrder, } impl<T> TreeNode<T> { pub fn new...
Trigonometric functions
#include <math.h> #include <stdio.h> int main() { double pi = 4 * atan(1); double radians = pi / 4; double degrees = 45.0; double temp; printf("%f %f\n", sin(radians), sin(degrees * pi / 180)); printf("%f %f\n", cos(radians), cos(degrees * pi / 180)); printf("%f %f\n", tan(radians), tan(degre...
use std::f64::consts::PI; fn main() { let angle_radians: f64 = PI/4.0; let angle_degrees: f64 = 45.0; println!("{} {}", angle_radians.sin(), angle_degrees.to_radians().sin()); println!("{} {}", angle_radians.cos(), angle_degrees.to_radians().cos()); println!("{} {}", angle_radians.tan(), angle_degree...
Truncatable primes
#include <stdio.h> #include <stdlib.h> #include <string.h> #define MAX_PRIME 1000000 char *primes; int n_primes; void init_primes() { int j; primes = malloc(sizeof(char) * MAX_PRIME); memset(primes, 1, MAX_PRIME); primes[0] = primes[1] = 0; int i = 2; while (i * i < MAX_PRIME) { for (j = i * 2; j < MAX_PRIME...
fn is_prime(n: u32) -> bool { if n < 2 { return false; } if n % 2 == 0 { return n == 2; } if n % 3 == 0 { return n == 3; } let mut p = 5; while p * p <= n { if n % p == 0 { return false; } p += 2; if n % p == 0 { ...
URL decoding
#include <stdio.h> #include <string.h> inline int ishex(int x) { return (x >= '0' && x <= '9') || (x >= 'a' && x <= 'f') || (x >= 'A' && x <= 'F'); } int decode(const char *s, char *dec) { char *o; const char *end = s + strlen(s); int c; for (o = dec; s <= end; o++) { c = *s++; if (c == '+') c = ' '; ...
const INPUT1: &str = "http%3A%2F%2Ffoo%20bar%2F"; const INPUT2: &str = "google.com/search?q=%60Abdu%27l-Bah%C3%A1"; fn append_frag(text: &mut String, frag: &mut String) { if !frag.is_empty() { let encoded = frag.chars() .collect::<Vec<char>>() .chunks(2) .map(|ch| { ...
UTF-8 encode and decode
#include <stdio.h> #include <stdlib.h> #include <inttypes.h> typedef struct { char mask; char lead; uint32_t beg; uint32_t end; int bits_stored; }utf_t; utf_t * utf[] = { [0] = &(utf_t){0b00111111, 0b10000000, 0, 0, 6 }, [1] = &(utf_t){0b01111111, 0b00000000, 0000, 0177, 7 ...
fn main() { let chars = vec!('A', 'ö', 'Ж', '€', '𝄞'); chars.iter().for_each(|c| { let mut encoded = vec![0; c.len_utf8()]; c.encode_utf8(&mut encoded); let decoded = String::from_utf8(encoded.to_vec()).unwrap(); let encoded_string = encoded.iter().fold(String::new(), |acc, val|...
Unbias a random generator
#include <stdio.h> #include <stdlib.h> int biased(int bias) { int r, rand_max = RAND_MAX - (RAND_MAX % bias); while ((r = rand()) > rand_max); return r < rand_max / bias; } int unbiased(int bias) { int a; while ((a = biased(bias)) == biased(bias)); return a; } int main() { int b, n = 10000, cb, cu, i; for...
#![feature(inclusive_range_syntax)] extern crate rand; use rand::Rng; fn rand_n<R: Rng>(rng: &mut R, n: u32) -> usize { rng.gen_weighted_bool(n) as usize } fn unbiased<R: Rng>(rng: &mut R, n: u32) -> usize { let mut bit = rand_n(rng, n); while bit == rand_n(rng, n) { bit = rand_n(rng, n); }...
Undefined values
#include <stdio.h> #include <stdlib.h> int main() { int junk, *junkp; printf("junk: %d\n", junk); junkp = malloc(sizeof *junkp); if (junkp) printf("*junkp: %d\n", *junkp); return 0; }
use std::ptr; let p: *const i32 = ptr::null(); assert!(p.is_null());
Universal Turing machine
#include <stdio.h> #include <stdarg.h> #include <stdlib.h> #include <string.h> enum { LEFT, RIGHT, STAY }; typedef struct { int state1; int symbol1; int symbol2; int dir; int state2; } transition_t; typedef struct tape_t tape_t; struct tape_t { int symbol; tape_t *left; ta...
use std::collections::VecDeque; use std::fmt::{Display, Formatter, Result}; fn main() { println!("Simple incrementer"); let rules_si = vec!( Rule::new("q0", '1', '1', Direction::Right, "q0"), Rule::new("q0", 'B', '1', Direction::Stay, "qf") ); let states_si = vec!("q0", "qf"); let t...
Unix_ls
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <limits.h> #include <sys/types.h> #include <dirent.h> #include <unistd.h> int cmpstr(const void *a, const void *b) { return strcmp(*(const char**)a, *(const char**)b); } int main(void) { DIR *basedir; char path[PATH_MAX]; struct diren...
use std::{env, fmt, fs, process}; use std::io::{self, Write}; use std::path::Path; fn main() { let cur = env::current_dir().unwrap_or_else(|e| exit_err(e, 1)); let arg = env::args().nth(1); print_files(arg.as_ref().map_or(cur.as_path(), |p| Path::new(p))) .unwrap_or_else(|e| exit_err(e, 2)); } #[i...
User input_Text
#include <stdio.h> #include <stdlib.h> int main(void) { char str[BUFSIZ]; puts("Enter a string: "); fgets(str, sizeof(str), stdin); long num; char buf[BUFSIZ]; do { puts("Enter 75000: "); fgets(buf, sizeof(buf), stdin); num = strtol(buf, NULL, 10); } w...
use std::io::{self, Write}; use std::fmt::Display; use std::process; fn main() { let s = grab_input("Give me a string") .unwrap_or_else(|e| exit_err(&e, e.raw_os_error().unwrap_or(-1))); println!("You entered: {}", s.trim()); let n: i32 = grab_input("Give me an integer") .unwrap_or_else(|...
Van Eck sequence
#include <stdlib.h> #include <stdio.h> int main(int argc, const char *argv[]) { const int max = 1000; int *a = malloc(max * sizeof(int)); for (int n = 0; n < max - 1; n ++) { for (int m = n - 1; m >= 0; m --) { if (a[m] == a[n]) { a[n+1] = n - m; break; } } } printf("The ...
fn van_eck_sequence() -> impl std::iter::Iterator<Item = i32> { let mut index = 0; let mut last_term = 0; let mut last_pos = std::collections::HashMap::new(); std::iter::from_fn(move || { let result = last_term; let mut next_term = 0; if let Some(v) = last_pos.get_mut(&last_term)...
Van der Corput sequence
#include <stdio.h> void vc(int n, int base, int *num, int *denom) { int p = 0, q = 1; while (n) { p = p * base + (n % base); q *= base; n /= base; } *num = p; *denom = q; while (p) { n = p; p = q % p; q = n; } ...
pub fn corput(nth: usize, base: usize) -> f64 { let mut n = nth; let mut q: f64 = 0.0; let mut bk: f64 = 1.0 / (base as f64); while n > 0_usize { q += ((n % base) as f64)*bk; n /= base; bk /= base as f64; } q } fn main() { for base in 2_usize..=5_usize { print!("Base {...
Variables
int j;
let var01; let var02: u32; let var03 = 5; let var04 = 5u8; let var05: i8 = 5; let var06: u8 = 5u8; var01 = var05; var02 = 9u32;
Variadic function
#include <stdio.h> #include <stdarg.h> void varstrings(int count, ...) { va_list args; va_start(args, count); while (count--) puts(va_arg(args, const char *)); va_end(args); } varstrings(5, "Mary", "had", "a", "little", "lamb");
macro_rules! print_all { ($($args:expr),*) => { $( println!("{}", $args); )* } } fn main() { print_all!("Rosetta", "Code", "Is", "Awesome!"); }
Vector products
#include<stdio.h> typedef struct{ float i,j,k; }Vector; Vector a = {3, 4, 5},b = {4, 3, 5},c = {-5, -12, -13}; float dotProduct(Vector a, Vector b) { return a.i*b.i+a.j*b.j+a.k*b.k; } Vector crossProduct(Vector a,Vector b) { Vector c = {a.j*b.k - a.k*b.j, a.k*b.i - a.i*b.k, a.i*b.j - a.j*b.i}; return c; } f...
#[derive(Debug)] struct Vector { x: f64, y: f64, z: f64, } impl Vector { fn new(x: f64, y: f64, z: f64) -> Self { Vector { x: x, y: y, z: z, } } fn dot_product(&self, other: &Vector) -> f64 { (self.x * other.x) + (self.y * other.y) + ...
Vigenère cipher
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <stdbool.h> #include <ctype.h> #include <getopt.h> #define NUMLETTERS 26 #define BUFSIZE 4096 char *get_input(void); int main(int argc, char *argv[]) { char const usage[] = "Usage: vinigere [-d] key"; char sign = 1; char const plainmsg[...
use std::ascii::AsciiExt; static A: u8 = 'A' as u8; fn uppercase_and_filter(input: &str) -> Vec<u8> { let alphabet = b"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ"; let mut result = Vec::new(); for c in input.chars() { if alphabet.iter().any(|&x| x as char == c) { re...
Visualize a tree
#include <stdio.h> #include <stdlib.h> typedef struct stem_t *stem; struct stem_t { const char *str; stem next; }; void tree(int root, stem head) { static const char *sdown = " |", *slast = " `", *snone = " "; struct stem_t col = {0, 0}, *tail; for (tail = head; tail; tail = tail->next) { printf("%s", tail-...
extern crate rustc_serialize; extern crate term_painter; use rustc_serialize::json; use std::fmt::{Debug, Display, Formatter, Result}; use term_painter::ToStyle; use term_painter::Color::*; type NodePtr = Option<usize>; #[derive(Debug, PartialEq, Clone, Copy)] enum Side { Left, Right, Up, } #[derive(Deb...
Walk a directory_Non-recursively
#include <sys/types.h> #include <dirent.h> #include <regex.h> #include <stdio.h> enum { WALK_OK = 0, WALK_BADPATTERN, WALK_BADOPEN, }; int walker(const char *dir, const char *pattern) { struct dirent *entry; regex_t reg; DIR *d; if (regcomp(&reg, pattern, REG_EXTENDED | REG_NOSUB)) ...
extern crate docopt; extern crate regex; extern crate rustc_serialize; use docopt::Docopt; use regex::Regex; const USAGE: &'static str = " Usage: rosetta <pattern> Walks the directory tree starting with the current working directory and print filenames matching <pattern>. "; #[derive(Debug, RustcDecodable)] struct ...
Walk a directory_Recursively
#include <sys/types.h> #include <sys/stat.h> #include <unistd.h> #include <dirent.h> #include <regex.h> #include <stdio.h> #include <string.h> #include <errno.h> #include <err.h> enum { WALK_OK = 0, WALK_BADPATTERN, WALK_NAMETOOLONG, WALK_BADIO, }; #define WS_NONE 0 #define WS_RECURSIVE (1 << 0) #define WS_DEFAU...
#![feature(fs_walk)] use std::fs; use std::path::Path; fn main() { for f in fs::walk_dir(&Path::new("/home/pavel/Music")).unwrap() { let p = f.unwrap().path(); if p.extension().unwrap_or("".as_ref()) == "mp3" { println!("{:?}", p); } } }
Web scraping
#include <stdio.h> #include <string.h> #include <curl/curl.h> #include <sys/types.h> #include <regex.h> #define BUFSIZE 16384 size_t lr = 0; size_t filterit(void *ptr, size_t size, size_t nmemb, void *stream) { if ( (lr + size*nmemb) > BUFSIZE ) return BUFSIZE; memcpy(stream+lr, ptr, size*nmemb); lr += size*nm...
use std::io::Read; use regex::Regex; fn main() { let client = reqwest::blocking::Client::new(); let site = "https: let mut res = client.get(site).send().unwrap(); let mut body = String::new(); res.read_to_string(&mut body).unwrap(); let re = Regex::new(r#"<td>UTC</td><td>(.*Z)</td>"#).u...
Wieferich primes
#include <stdbool.h> #include <stdio.h> #include <stdint.h> #define LIMIT 5000 static bool PRIMES[LIMIT]; static void prime_sieve() { uint64_t p; int i; PRIMES[0] = false; PRIMES[1] = false; for (i = 2; i < LIMIT; i++) { PRIMES[i] = true; } for (i = 4; i < LIMIT; i += 2) { ...
fn wieferich_primes(limit: usize) -> impl std::iter::Iterator<Item = usize> { primal::Primes::all() .take_while(move |x| *x < limit) .filter(|x| mod_exp::mod_exp(2, *x - 1, *x * *x) == 1) } fn main() { let limit = 5000; println!("Wieferich primes less than {}:", limit); for p in wie...
Window creation
#include <stdio.h> #include <stdlib.h> #include "SDL.h" int main() { SDL_Surface *screen; if (SDL_Init(SDL_INIT_VIDEO) != 0) { fprintf(stderr, "Unable to initialize SDL: %s\n", SDL_GetError()); return 1; } atexit(SDL_Quit); screen = SDL_SetVideoMode( 800, 600, 16, SDL_SWSURFACE | SDL_HWPALETTE )...
use winit::event::{Event, WindowEvent}; use winit::event_loop::{ControlFlow, EventLoop}; use winit::window::WindowBuilder; fn main() { let event_loop = EventLoop::new(); let _win = WindowBuilder::new() .with_title("Window") .build(&event_loop).unwrap(); event_loop.run(move |ev, _, flow| ...
Word frequency
#include <stdbool.h> #include <stdio.h> #include <glib.h> typedef struct word_count_tag { const char* word; size_t count; } word_count; int compare_word_count(const void* p1, const void* p2) { const word_count* w1 = p1; const word_count* w2 = p2; if (w1->count > w2->count) return -1; i...
use std::cmp::Reverse; use std::collections::HashMap; use std::fs::File; use std::io::{BufRead, BufReader}; extern crate regex; use regex::Regex; fn word_count(file: File, n: usize) { let word_regex = Regex::new("(?i)[a-z']+").unwrap(); let mut words = HashMap::new(); for line in BufReader::new(file).lin...
Word wrap
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <ctype.h> const char *string = "In olden times when wishing still helped one, there lived a king " "whose daughters were all beautiful, but the youngest was so beautiful " "that the sun itself, which has seen so much, was astonished whenever ...
#[derive(Clone, Debug)] pub struct LineComposer<I> { words: I, width: usize, current: Option<String>, } impl<I> LineComposer<I> { pub(crate) fn new<S>(words: I, width: usize) -> Self where I: Iterator<Item = S>, S: AsRef<str>, { LineComposer { words, ...
Write entire file
#define _CRT_SECURE_NO_WARNINGS #include <stdio.h> int main(void) { return 0 >= fputs("ANY STRING TO WRITE TO A FILE AT ONCE.", freopen("sample.txt","wb",stdout)); }
use std::fs::File; use std::io::Write; fn main() -> std::io::Result<()> { let data = "Sample text."; let mut file = File::create("filename.txt")?; write!(file, "{}", data)?; Ok(()) }
Write language name in 3D ASCII
#include <stdio.h> const char*s = " _____\n /____/\\\n/ ___\\/\n\\ \\/__/\n \\____/"; int main(){ puts(s); return 0; }
pub fn char_from_id(id: u8) -> char { [' ', '#', '/', '_', 'L', '|', '\n'][id as usize] } const ID_BITS: u8 = 3; pub fn decode(code: &[u8]) -> String { let mut ret = String::new(); let mut carry = 0; let mut carry_bits = 0; for &b in code { let mut bit_pos = ID_BITS - carry_bits; l...
XML_Input
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <libxml/parser.h> #include <libxml/tree.h> static void print_names(xmlNode *node) { xmlNode *cur_node = NULL; for (cur_node = node; cur_node; cur_node = cur_node->next) { if (cur_node->type == XML_ELEMENT_NODE) { if ( strcmp(cur_node->na...
extern crate xml; use xml::{name::OwnedName, reader::EventReader, reader::XmlEvent}; const DOCUMENT: &str = r#" <Students> <Student Name="April" Gender="F" DateOfBirth="1989-01-02" /> <Student Name="Bob" Gender="M" DateOfBirth="1990-03-04" /> <Student Name="Chad" Gender="M" DateOfBirth="1991-05-06" /> <Stud...
XML_Output
#include <stdio.h> #include <stdlib.h> #include <string.h> #include <libxml/parser.h> #include <libxml/tree.h> const char *names[] = { "April", "Tam O'Shanter", "Emily", NULL }; const char *remarks[] = { "Bubbly: I'm > Tam and <= Emily", "Burns: \"When chapman billies leave the street ...\"", "Short & shrift",...
extern crate xml; use std::collections::HashMap; use std::str; use xml::writer::{EmitterConfig, XmlEvent}; fn characters_to_xml(characters: HashMap<String, String>) -> String { let mut output: Vec<u8> = Vec::new(); let mut writer = EmitterConfig::new() .perform_indent(true) .create_writer(&mu...
Yin and yang
#include <stdio.h> void draw_yinyang(int trans, double scale) { printf("<use xlink:href='#y' transform='translate(%d,%d) scale(%g)'/>", trans, trans, scale); } int main() { printf( "<?xml version='1.0' encoding='UTF-8' standalone='no'?>\n" "<!DOCTYPE svg PUBLIC '- " 'http: "<svg xmlns='http: " xmlns:xlink='ht...
use svg::node::element::Path; fn main() { let doc = svg::Document::new() .add(yin_yang(15.0, 1.0).set("transform", "translate(20,20)")) .add(yin_yang(6.0, 1.0).set("transform", "translate(50,11)")); svg::save("yin_yang.svg", &doc).unwrap(); } fn yin_yang(r: f32, th: f32) -> Path { let (cr,...
Zero to the zero power
#include <stdio.h> #include <math.h> #include <complex.h> int main() { printf("0 ^ 0 = %f\n", pow(0,0)); double complex c = cpow(0,0); printf("0+0i ^ 0+0i = %f+%fi\n", creal(c), cimag(c)); return 0; }
fn main() { println!("{}",0u32.pow(0)); }
Zig-zag matrix
#include <stdio.h> #include <stdlib.h> int main(int c, char **v) { int i, j, m, n, *s; if (c < 2 || ((m = atoi(v[1]))) <= 0) m = 5; s = malloc(sizeof(int) * m * m); for (i = n = 0; i < m * 2; i++) for (j = (i < m) ? 0 : i-m+1; j <= i && j < m; j++) s[(i&1)? j*(m-1)+i : (i-j)*m+j ] = n++; for (i ...
use std::cmp::Ordering; use std::cmp::Ordering::{Equal, Greater, Less}; use std::iter::repeat; #[derive(Debug, PartialEq, Eq)] struct SortIndex { x: usize, y: usize, } impl SortIndex { fn new(x: usize, y: usize) -> SortIndex { SortIndex { x, y } } } impl PartialOrd for SortIndex { fn part...