repository_name
stringlengths
5
67
func_path_in_repository
stringlengths
4
234
func_name
stringlengths
0
153
whole_func_string
stringlengths
52
3.87M
language
stringclasses
6 values
func_code_string
stringlengths
52
3.87M
func_code_tokens
sequence
func_documentation_string
stringlengths
1
46.9k
func_documentation_tokens
sequence
split_name
stringclasses
1 value
func_code_url
stringlengths
85
339
apache/spark
python/pyspark/rdd.py
RDD.groupByKey
def groupByKey(self, numPartitions=None, partitionFunc=portable_hash): """ Group the values for each key in the RDD into a single sequence. Hash-partitions the resulting RDD with numPartitions partitions. .. note:: If you are grouping in order to perform an aggregation (such as a sum or average) over each key, using reduceByKey or aggregateByKey will provide much better performance. >>> rdd = sc.parallelize([("a", 1), ("b", 1), ("a", 1)]) >>> sorted(rdd.groupByKey().mapValues(len).collect()) [('a', 2), ('b', 1)] >>> sorted(rdd.groupByKey().mapValues(list).collect()) [('a', [1, 1]), ('b', [1])] """ def createCombiner(x): return [x] def mergeValue(xs, x): xs.append(x) return xs def mergeCombiners(a, b): a.extend(b) return a memory = self._memory_limit() serializer = self._jrdd_deserializer agg = Aggregator(createCombiner, mergeValue, mergeCombiners) def combine(iterator): merger = ExternalMerger(agg, memory * 0.9, serializer) merger.mergeValues(iterator) return merger.items() locally_combined = self.mapPartitions(combine, preservesPartitioning=True) shuffled = locally_combined.partitionBy(numPartitions, partitionFunc) def groupByKey(it): merger = ExternalGroupBy(agg, memory, serializer) merger.mergeCombiners(it) return merger.items() return shuffled.mapPartitions(groupByKey, True).mapValues(ResultIterable)
python
def groupByKey(self, numPartitions=None, partitionFunc=portable_hash): """ Group the values for each key in the RDD into a single sequence. Hash-partitions the resulting RDD with numPartitions partitions. .. note:: If you are grouping in order to perform an aggregation (such as a sum or average) over each key, using reduceByKey or aggregateByKey will provide much better performance. >>> rdd = sc.parallelize([("a", 1), ("b", 1), ("a", 1)]) >>> sorted(rdd.groupByKey().mapValues(len).collect()) [('a', 2), ('b', 1)] >>> sorted(rdd.groupByKey().mapValues(list).collect()) [('a', [1, 1]), ('b', [1])] """ def createCombiner(x): return [x] def mergeValue(xs, x): xs.append(x) return xs def mergeCombiners(a, b): a.extend(b) return a memory = self._memory_limit() serializer = self._jrdd_deserializer agg = Aggregator(createCombiner, mergeValue, mergeCombiners) def combine(iterator): merger = ExternalMerger(agg, memory * 0.9, serializer) merger.mergeValues(iterator) return merger.items() locally_combined = self.mapPartitions(combine, preservesPartitioning=True) shuffled = locally_combined.partitionBy(numPartitions, partitionFunc) def groupByKey(it): merger = ExternalGroupBy(agg, memory, serializer) merger.mergeCombiners(it) return merger.items() return shuffled.mapPartitions(groupByKey, True).mapValues(ResultIterable)
[ "def", "groupByKey", "(", "self", ",", "numPartitions", "=", "None", ",", "partitionFunc", "=", "portable_hash", ")", ":", "def", "createCombiner", "(", "x", ")", ":", "return", "[", "x", "]", "def", "mergeValue", "(", "xs", ",", "x", ")", ":", "xs", ".", "append", "(", "x", ")", "return", "xs", "def", "mergeCombiners", "(", "a", ",", "b", ")", ":", "a", ".", "extend", "(", "b", ")", "return", "a", "memory", "=", "self", ".", "_memory_limit", "(", ")", "serializer", "=", "self", ".", "_jrdd_deserializer", "agg", "=", "Aggregator", "(", "createCombiner", ",", "mergeValue", ",", "mergeCombiners", ")", "def", "combine", "(", "iterator", ")", ":", "merger", "=", "ExternalMerger", "(", "agg", ",", "memory", "*", "0.9", ",", "serializer", ")", "merger", ".", "mergeValues", "(", "iterator", ")", "return", "merger", ".", "items", "(", ")", "locally_combined", "=", "self", ".", "mapPartitions", "(", "combine", ",", "preservesPartitioning", "=", "True", ")", "shuffled", "=", "locally_combined", ".", "partitionBy", "(", "numPartitions", ",", "partitionFunc", ")", "def", "groupByKey", "(", "it", ")", ":", "merger", "=", "ExternalGroupBy", "(", "agg", ",", "memory", ",", "serializer", ")", "merger", ".", "mergeCombiners", "(", "it", ")", "return", "merger", ".", "items", "(", ")", "return", "shuffled", ".", "mapPartitions", "(", "groupByKey", ",", "True", ")", ".", "mapValues", "(", "ResultIterable", ")" ]
Group the values for each key in the RDD into a single sequence. Hash-partitions the resulting RDD with numPartitions partitions. .. note:: If you are grouping in order to perform an aggregation (such as a sum or average) over each key, using reduceByKey or aggregateByKey will provide much better performance. >>> rdd = sc.parallelize([("a", 1), ("b", 1), ("a", 1)]) >>> sorted(rdd.groupByKey().mapValues(len).collect()) [('a', 2), ('b', 1)] >>> sorted(rdd.groupByKey().mapValues(list).collect()) [('a', [1, 1]), ('b', [1])]
[ "Group", "the", "values", "for", "each", "key", "in", "the", "RDD", "into", "a", "single", "sequence", ".", "Hash", "-", "partitions", "the", "resulting", "RDD", "with", "numPartitions", "partitions", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L1915-L1958
apache/spark
python/pyspark/rdd.py
RDD.flatMapValues
def flatMapValues(self, f): """ Pass each value in the key-value pair RDD through a flatMap function without changing the keys; this also retains the original RDD's partitioning. >>> x = sc.parallelize([("a", ["x", "y", "z"]), ("b", ["p", "r"])]) >>> def f(x): return x >>> x.flatMapValues(f).collect() [('a', 'x'), ('a', 'y'), ('a', 'z'), ('b', 'p'), ('b', 'r')] """ flat_map_fn = lambda kv: ((kv[0], x) for x in f(kv[1])) return self.flatMap(flat_map_fn, preservesPartitioning=True)
python
def flatMapValues(self, f): """ Pass each value in the key-value pair RDD through a flatMap function without changing the keys; this also retains the original RDD's partitioning. >>> x = sc.parallelize([("a", ["x", "y", "z"]), ("b", ["p", "r"])]) >>> def f(x): return x >>> x.flatMapValues(f).collect() [('a', 'x'), ('a', 'y'), ('a', 'z'), ('b', 'p'), ('b', 'r')] """ flat_map_fn = lambda kv: ((kv[0], x) for x in f(kv[1])) return self.flatMap(flat_map_fn, preservesPartitioning=True)
[ "def", "flatMapValues", "(", "self", ",", "f", ")", ":", "flat_map_fn", "=", "lambda", "kv", ":", "(", "(", "kv", "[", "0", "]", ",", "x", ")", "for", "x", "in", "f", "(", "kv", "[", "1", "]", ")", ")", "return", "self", ".", "flatMap", "(", "flat_map_fn", ",", "preservesPartitioning", "=", "True", ")" ]
Pass each value in the key-value pair RDD through a flatMap function without changing the keys; this also retains the original RDD's partitioning. >>> x = sc.parallelize([("a", ["x", "y", "z"]), ("b", ["p", "r"])]) >>> def f(x): return x >>> x.flatMapValues(f).collect() [('a', 'x'), ('a', 'y'), ('a', 'z'), ('b', 'p'), ('b', 'r')]
[ "Pass", "each", "value", "in", "the", "key", "-", "value", "pair", "RDD", "through", "a", "flatMap", "function", "without", "changing", "the", "keys", ";", "this", "also", "retains", "the", "original", "RDD", "s", "partitioning", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L1960-L1972
apache/spark
python/pyspark/rdd.py
RDD.mapValues
def mapValues(self, f): """ Pass each value in the key-value pair RDD through a map function without changing the keys; this also retains the original RDD's partitioning. >>> x = sc.parallelize([("a", ["apple", "banana", "lemon"]), ("b", ["grapes"])]) >>> def f(x): return len(x) >>> x.mapValues(f).collect() [('a', 3), ('b', 1)] """ map_values_fn = lambda kv: (kv[0], f(kv[1])) return self.map(map_values_fn, preservesPartitioning=True)
python
def mapValues(self, f): """ Pass each value in the key-value pair RDD through a map function without changing the keys; this also retains the original RDD's partitioning. >>> x = sc.parallelize([("a", ["apple", "banana", "lemon"]), ("b", ["grapes"])]) >>> def f(x): return len(x) >>> x.mapValues(f).collect() [('a', 3), ('b', 1)] """ map_values_fn = lambda kv: (kv[0], f(kv[1])) return self.map(map_values_fn, preservesPartitioning=True)
[ "def", "mapValues", "(", "self", ",", "f", ")", ":", "map_values_fn", "=", "lambda", "kv", ":", "(", "kv", "[", "0", "]", ",", "f", "(", "kv", "[", "1", "]", ")", ")", "return", "self", ".", "map", "(", "map_values_fn", ",", "preservesPartitioning", "=", "True", ")" ]
Pass each value in the key-value pair RDD through a map function without changing the keys; this also retains the original RDD's partitioning. >>> x = sc.parallelize([("a", ["apple", "banana", "lemon"]), ("b", ["grapes"])]) >>> def f(x): return len(x) >>> x.mapValues(f).collect() [('a', 3), ('b', 1)]
[ "Pass", "each", "value", "in", "the", "key", "-", "value", "pair", "RDD", "through", "a", "map", "function", "without", "changing", "the", "keys", ";", "this", "also", "retains", "the", "original", "RDD", "s", "partitioning", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L1974-L1986
apache/spark
python/pyspark/rdd.py
RDD.sampleByKey
def sampleByKey(self, withReplacement, fractions, seed=None): """ Return a subset of this RDD sampled by key (via stratified sampling). Create a sample of this RDD using variable sampling rates for different keys as specified by fractions, a key to sampling rate map. >>> fractions = {"a": 0.2, "b": 0.1} >>> rdd = sc.parallelize(fractions.keys()).cartesian(sc.parallelize(range(0, 1000))) >>> sample = dict(rdd.sampleByKey(False, fractions, 2).groupByKey().collect()) >>> 100 < len(sample["a"]) < 300 and 50 < len(sample["b"]) < 150 True >>> max(sample["a"]) <= 999 and min(sample["a"]) >= 0 True >>> max(sample["b"]) <= 999 and min(sample["b"]) >= 0 True """ for fraction in fractions.values(): assert fraction >= 0.0, "Negative fraction value: %s" % fraction return self.mapPartitionsWithIndex( RDDStratifiedSampler(withReplacement, fractions, seed).func, True)
python
def sampleByKey(self, withReplacement, fractions, seed=None): """ Return a subset of this RDD sampled by key (via stratified sampling). Create a sample of this RDD using variable sampling rates for different keys as specified by fractions, a key to sampling rate map. >>> fractions = {"a": 0.2, "b": 0.1} >>> rdd = sc.parallelize(fractions.keys()).cartesian(sc.parallelize(range(0, 1000))) >>> sample = dict(rdd.sampleByKey(False, fractions, 2).groupByKey().collect()) >>> 100 < len(sample["a"]) < 300 and 50 < len(sample["b"]) < 150 True >>> max(sample["a"]) <= 999 and min(sample["a"]) >= 0 True >>> max(sample["b"]) <= 999 and min(sample["b"]) >= 0 True """ for fraction in fractions.values(): assert fraction >= 0.0, "Negative fraction value: %s" % fraction return self.mapPartitionsWithIndex( RDDStratifiedSampler(withReplacement, fractions, seed).func, True)
[ "def", "sampleByKey", "(", "self", ",", "withReplacement", ",", "fractions", ",", "seed", "=", "None", ")", ":", "for", "fraction", "in", "fractions", ".", "values", "(", ")", ":", "assert", "fraction", ">=", "0.0", ",", "\"Negative fraction value: %s\"", "%", "fraction", "return", "self", ".", "mapPartitionsWithIndex", "(", "RDDStratifiedSampler", "(", "withReplacement", ",", "fractions", ",", "seed", ")", ".", "func", ",", "True", ")" ]
Return a subset of this RDD sampled by key (via stratified sampling). Create a sample of this RDD using variable sampling rates for different keys as specified by fractions, a key to sampling rate map. >>> fractions = {"a": 0.2, "b": 0.1} >>> rdd = sc.parallelize(fractions.keys()).cartesian(sc.parallelize(range(0, 1000))) >>> sample = dict(rdd.sampleByKey(False, fractions, 2).groupByKey().collect()) >>> 100 < len(sample["a"]) < 300 and 50 < len(sample["b"]) < 150 True >>> max(sample["a"]) <= 999 and min(sample["a"]) >= 0 True >>> max(sample["b"]) <= 999 and min(sample["b"]) >= 0 True
[ "Return", "a", "subset", "of", "this", "RDD", "sampled", "by", "key", "(", "via", "stratified", "sampling", ")", ".", "Create", "a", "sample", "of", "this", "RDD", "using", "variable", "sampling", "rates", "for", "different", "keys", "as", "specified", "by", "fractions", "a", "key", "to", "sampling", "rate", "map", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2016-L2035
apache/spark
python/pyspark/rdd.py
RDD.subtractByKey
def subtractByKey(self, other, numPartitions=None): """ Return each (key, value) pair in C{self} that has no pair with matching key in C{other}. >>> x = sc.parallelize([("a", 1), ("b", 4), ("b", 5), ("a", 2)]) >>> y = sc.parallelize([("a", 3), ("c", None)]) >>> sorted(x.subtractByKey(y).collect()) [('b', 4), ('b', 5)] """ def filter_func(pair): key, (val1, val2) = pair return val1 and not val2 return self.cogroup(other, numPartitions).filter(filter_func).flatMapValues(lambda x: x[0])
python
def subtractByKey(self, other, numPartitions=None): """ Return each (key, value) pair in C{self} that has no pair with matching key in C{other}. >>> x = sc.parallelize([("a", 1), ("b", 4), ("b", 5), ("a", 2)]) >>> y = sc.parallelize([("a", 3), ("c", None)]) >>> sorted(x.subtractByKey(y).collect()) [('b', 4), ('b', 5)] """ def filter_func(pair): key, (val1, val2) = pair return val1 and not val2 return self.cogroup(other, numPartitions).filter(filter_func).flatMapValues(lambda x: x[0])
[ "def", "subtractByKey", "(", "self", ",", "other", ",", "numPartitions", "=", "None", ")", ":", "def", "filter_func", "(", "pair", ")", ":", "key", ",", "(", "val1", ",", "val2", ")", "=", "pair", "return", "val1", "and", "not", "val2", "return", "self", ".", "cogroup", "(", "other", ",", "numPartitions", ")", ".", "filter", "(", "filter_func", ")", ".", "flatMapValues", "(", "lambda", "x", ":", "x", "[", "0", "]", ")" ]
Return each (key, value) pair in C{self} that has no pair with matching key in C{other}. >>> x = sc.parallelize([("a", 1), ("b", 4), ("b", 5), ("a", 2)]) >>> y = sc.parallelize([("a", 3), ("c", None)]) >>> sorted(x.subtractByKey(y).collect()) [('b', 4), ('b', 5)]
[ "Return", "each", "(", "key", "value", ")", "pair", "in", "C", "{", "self", "}", "that", "has", "no", "pair", "with", "matching", "key", "in", "C", "{", "other", "}", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2037-L2050
apache/spark
python/pyspark/rdd.py
RDD.subtract
def subtract(self, other, numPartitions=None): """ Return each value in C{self} that is not contained in C{other}. >>> x = sc.parallelize([("a", 1), ("b", 4), ("b", 5), ("a", 3)]) >>> y = sc.parallelize([("a", 3), ("c", None)]) >>> sorted(x.subtract(y).collect()) [('a', 1), ('b', 4), ('b', 5)] """ # note: here 'True' is just a placeholder rdd = other.map(lambda x: (x, True)) return self.map(lambda x: (x, True)).subtractByKey(rdd, numPartitions).keys()
python
def subtract(self, other, numPartitions=None): """ Return each value in C{self} that is not contained in C{other}. >>> x = sc.parallelize([("a", 1), ("b", 4), ("b", 5), ("a", 3)]) >>> y = sc.parallelize([("a", 3), ("c", None)]) >>> sorted(x.subtract(y).collect()) [('a', 1), ('b', 4), ('b', 5)] """ # note: here 'True' is just a placeholder rdd = other.map(lambda x: (x, True)) return self.map(lambda x: (x, True)).subtractByKey(rdd, numPartitions).keys()
[ "def", "subtract", "(", "self", ",", "other", ",", "numPartitions", "=", "None", ")", ":", "# note: here 'True' is just a placeholder", "rdd", "=", "other", ".", "map", "(", "lambda", "x", ":", "(", "x", ",", "True", ")", ")", "return", "self", ".", "map", "(", "lambda", "x", ":", "(", "x", ",", "True", ")", ")", ".", "subtractByKey", "(", "rdd", ",", "numPartitions", ")", ".", "keys", "(", ")" ]
Return each value in C{self} that is not contained in C{other}. >>> x = sc.parallelize([("a", 1), ("b", 4), ("b", 5), ("a", 3)]) >>> y = sc.parallelize([("a", 3), ("c", None)]) >>> sorted(x.subtract(y).collect()) [('a', 1), ('b', 4), ('b', 5)]
[ "Return", "each", "value", "in", "C", "{", "self", "}", "that", "is", "not", "contained", "in", "C", "{", "other", "}", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2052-L2063
apache/spark
python/pyspark/rdd.py
RDD.coalesce
def coalesce(self, numPartitions, shuffle=False): """ Return a new RDD that is reduced into `numPartitions` partitions. >>> sc.parallelize([1, 2, 3, 4, 5], 3).glom().collect() [[1], [2, 3], [4, 5]] >>> sc.parallelize([1, 2, 3, 4, 5], 3).coalesce(1).glom().collect() [[1, 2, 3, 4, 5]] """ if shuffle: # Decrease the batch size in order to distribute evenly the elements across output # partitions. Otherwise, repartition will possibly produce highly skewed partitions. batchSize = min(10, self.ctx._batchSize or 1024) ser = BatchedSerializer(PickleSerializer(), batchSize) selfCopy = self._reserialize(ser) jrdd_deserializer = selfCopy._jrdd_deserializer jrdd = selfCopy._jrdd.coalesce(numPartitions, shuffle) else: jrdd_deserializer = self._jrdd_deserializer jrdd = self._jrdd.coalesce(numPartitions, shuffle) return RDD(jrdd, self.ctx, jrdd_deserializer)
python
def coalesce(self, numPartitions, shuffle=False): """ Return a new RDD that is reduced into `numPartitions` partitions. >>> sc.parallelize([1, 2, 3, 4, 5], 3).glom().collect() [[1], [2, 3], [4, 5]] >>> sc.parallelize([1, 2, 3, 4, 5], 3).coalesce(1).glom().collect() [[1, 2, 3, 4, 5]] """ if shuffle: # Decrease the batch size in order to distribute evenly the elements across output # partitions. Otherwise, repartition will possibly produce highly skewed partitions. batchSize = min(10, self.ctx._batchSize or 1024) ser = BatchedSerializer(PickleSerializer(), batchSize) selfCopy = self._reserialize(ser) jrdd_deserializer = selfCopy._jrdd_deserializer jrdd = selfCopy._jrdd.coalesce(numPartitions, shuffle) else: jrdd_deserializer = self._jrdd_deserializer jrdd = self._jrdd.coalesce(numPartitions, shuffle) return RDD(jrdd, self.ctx, jrdd_deserializer)
[ "def", "coalesce", "(", "self", ",", "numPartitions", ",", "shuffle", "=", "False", ")", ":", "if", "shuffle", ":", "# Decrease the batch size in order to distribute evenly the elements across output", "# partitions. Otherwise, repartition will possibly produce highly skewed partitions.", "batchSize", "=", "min", "(", "10", ",", "self", ".", "ctx", ".", "_batchSize", "or", "1024", ")", "ser", "=", "BatchedSerializer", "(", "PickleSerializer", "(", ")", ",", "batchSize", ")", "selfCopy", "=", "self", ".", "_reserialize", "(", "ser", ")", "jrdd_deserializer", "=", "selfCopy", ".", "_jrdd_deserializer", "jrdd", "=", "selfCopy", ".", "_jrdd", ".", "coalesce", "(", "numPartitions", ",", "shuffle", ")", "else", ":", "jrdd_deserializer", "=", "self", ".", "_jrdd_deserializer", "jrdd", "=", "self", ".", "_jrdd", ".", "coalesce", "(", "numPartitions", ",", "shuffle", ")", "return", "RDD", "(", "jrdd", ",", "self", ".", "ctx", ",", "jrdd_deserializer", ")" ]
Return a new RDD that is reduced into `numPartitions` partitions. >>> sc.parallelize([1, 2, 3, 4, 5], 3).glom().collect() [[1], [2, 3], [4, 5]] >>> sc.parallelize([1, 2, 3, 4, 5], 3).coalesce(1).glom().collect() [[1, 2, 3, 4, 5]]
[ "Return", "a", "new", "RDD", "that", "is", "reduced", "into", "numPartitions", "partitions", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2095-L2115
apache/spark
python/pyspark/rdd.py
RDD.zip
def zip(self, other): """ Zips this RDD with another one, returning key-value pairs with the first element in each RDD second element in each RDD, etc. Assumes that the two RDDs have the same number of partitions and the same number of elements in each partition (e.g. one was made through a map on the other). >>> x = sc.parallelize(range(0,5)) >>> y = sc.parallelize(range(1000, 1005)) >>> x.zip(y).collect() [(0, 1000), (1, 1001), (2, 1002), (3, 1003), (4, 1004)] """ def get_batch_size(ser): if isinstance(ser, BatchedSerializer): return ser.batchSize return 1 # not batched def batch_as(rdd, batchSize): return rdd._reserialize(BatchedSerializer(PickleSerializer(), batchSize)) my_batch = get_batch_size(self._jrdd_deserializer) other_batch = get_batch_size(other._jrdd_deserializer) if my_batch != other_batch or not my_batch: # use the smallest batchSize for both of them batchSize = min(my_batch, other_batch) if batchSize <= 0: # auto batched or unlimited batchSize = 100 other = batch_as(other, batchSize) self = batch_as(self, batchSize) if self.getNumPartitions() != other.getNumPartitions(): raise ValueError("Can only zip with RDD which has the same number of partitions") # There will be an Exception in JVM if there are different number # of items in each partitions. pairRDD = self._jrdd.zip(other._jrdd) deserializer = PairDeserializer(self._jrdd_deserializer, other._jrdd_deserializer) return RDD(pairRDD, self.ctx, deserializer)
python
def zip(self, other): """ Zips this RDD with another one, returning key-value pairs with the first element in each RDD second element in each RDD, etc. Assumes that the two RDDs have the same number of partitions and the same number of elements in each partition (e.g. one was made through a map on the other). >>> x = sc.parallelize(range(0,5)) >>> y = sc.parallelize(range(1000, 1005)) >>> x.zip(y).collect() [(0, 1000), (1, 1001), (2, 1002), (3, 1003), (4, 1004)] """ def get_batch_size(ser): if isinstance(ser, BatchedSerializer): return ser.batchSize return 1 # not batched def batch_as(rdd, batchSize): return rdd._reserialize(BatchedSerializer(PickleSerializer(), batchSize)) my_batch = get_batch_size(self._jrdd_deserializer) other_batch = get_batch_size(other._jrdd_deserializer) if my_batch != other_batch or not my_batch: # use the smallest batchSize for both of them batchSize = min(my_batch, other_batch) if batchSize <= 0: # auto batched or unlimited batchSize = 100 other = batch_as(other, batchSize) self = batch_as(self, batchSize) if self.getNumPartitions() != other.getNumPartitions(): raise ValueError("Can only zip with RDD which has the same number of partitions") # There will be an Exception in JVM if there are different number # of items in each partitions. pairRDD = self._jrdd.zip(other._jrdd) deserializer = PairDeserializer(self._jrdd_deserializer, other._jrdd_deserializer) return RDD(pairRDD, self.ctx, deserializer)
[ "def", "zip", "(", "self", ",", "other", ")", ":", "def", "get_batch_size", "(", "ser", ")", ":", "if", "isinstance", "(", "ser", ",", "BatchedSerializer", ")", ":", "return", "ser", ".", "batchSize", "return", "1", "# not batched", "def", "batch_as", "(", "rdd", ",", "batchSize", ")", ":", "return", "rdd", ".", "_reserialize", "(", "BatchedSerializer", "(", "PickleSerializer", "(", ")", ",", "batchSize", ")", ")", "my_batch", "=", "get_batch_size", "(", "self", ".", "_jrdd_deserializer", ")", "other_batch", "=", "get_batch_size", "(", "other", ".", "_jrdd_deserializer", ")", "if", "my_batch", "!=", "other_batch", "or", "not", "my_batch", ":", "# use the smallest batchSize for both of them", "batchSize", "=", "min", "(", "my_batch", ",", "other_batch", ")", "if", "batchSize", "<=", "0", ":", "# auto batched or unlimited", "batchSize", "=", "100", "other", "=", "batch_as", "(", "other", ",", "batchSize", ")", "self", "=", "batch_as", "(", "self", ",", "batchSize", ")", "if", "self", ".", "getNumPartitions", "(", ")", "!=", "other", ".", "getNumPartitions", "(", ")", ":", "raise", "ValueError", "(", "\"Can only zip with RDD which has the same number of partitions\"", ")", "# There will be an Exception in JVM if there are different number", "# of items in each partitions.", "pairRDD", "=", "self", ".", "_jrdd", ".", "zip", "(", "other", ".", "_jrdd", ")", "deserializer", "=", "PairDeserializer", "(", "self", ".", "_jrdd_deserializer", ",", "other", ".", "_jrdd_deserializer", ")", "return", "RDD", "(", "pairRDD", ",", "self", ".", "ctx", ",", "deserializer", ")" ]
Zips this RDD with another one, returning key-value pairs with the first element in each RDD second element in each RDD, etc. Assumes that the two RDDs have the same number of partitions and the same number of elements in each partition (e.g. one was made through a map on the other). >>> x = sc.parallelize(range(0,5)) >>> y = sc.parallelize(range(1000, 1005)) >>> x.zip(y).collect() [(0, 1000), (1, 1001), (2, 1002), (3, 1003), (4, 1004)]
[ "Zips", "this", "RDD", "with", "another", "one", "returning", "key", "-", "value", "pairs", "with", "the", "first", "element", "in", "each", "RDD", "second", "element", "in", "each", "RDD", "etc", ".", "Assumes", "that", "the", "two", "RDDs", "have", "the", "same", "number", "of", "partitions", "and", "the", "same", "number", "of", "elements", "in", "each", "partition", "(", "e", ".", "g", ".", "one", "was", "made", "through", "a", "map", "on", "the", "other", ")", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2117-L2157
apache/spark
python/pyspark/rdd.py
RDD.zipWithIndex
def zipWithIndex(self): """ Zips this RDD with its element indices. The ordering is first based on the partition index and then the ordering of items within each partition. So the first item in the first partition gets index 0, and the last item in the last partition receives the largest index. This method needs to trigger a spark job when this RDD contains more than one partitions. >>> sc.parallelize(["a", "b", "c", "d"], 3).zipWithIndex().collect() [('a', 0), ('b', 1), ('c', 2), ('d', 3)] """ starts = [0] if self.getNumPartitions() > 1: nums = self.mapPartitions(lambda it: [sum(1 for i in it)]).collect() for i in range(len(nums) - 1): starts.append(starts[-1] + nums[i]) def func(k, it): for i, v in enumerate(it, starts[k]): yield v, i return self.mapPartitionsWithIndex(func)
python
def zipWithIndex(self): """ Zips this RDD with its element indices. The ordering is first based on the partition index and then the ordering of items within each partition. So the first item in the first partition gets index 0, and the last item in the last partition receives the largest index. This method needs to trigger a spark job when this RDD contains more than one partitions. >>> sc.parallelize(["a", "b", "c", "d"], 3).zipWithIndex().collect() [('a', 0), ('b', 1), ('c', 2), ('d', 3)] """ starts = [0] if self.getNumPartitions() > 1: nums = self.mapPartitions(lambda it: [sum(1 for i in it)]).collect() for i in range(len(nums) - 1): starts.append(starts[-1] + nums[i]) def func(k, it): for i, v in enumerate(it, starts[k]): yield v, i return self.mapPartitionsWithIndex(func)
[ "def", "zipWithIndex", "(", "self", ")", ":", "starts", "=", "[", "0", "]", "if", "self", ".", "getNumPartitions", "(", ")", ">", "1", ":", "nums", "=", "self", ".", "mapPartitions", "(", "lambda", "it", ":", "[", "sum", "(", "1", "for", "i", "in", "it", ")", "]", ")", ".", "collect", "(", ")", "for", "i", "in", "range", "(", "len", "(", "nums", ")", "-", "1", ")", ":", "starts", ".", "append", "(", "starts", "[", "-", "1", "]", "+", "nums", "[", "i", "]", ")", "def", "func", "(", "k", ",", "it", ")", ":", "for", "i", ",", "v", "in", "enumerate", "(", "it", ",", "starts", "[", "k", "]", ")", ":", "yield", "v", ",", "i", "return", "self", ".", "mapPartitionsWithIndex", "(", "func", ")" ]
Zips this RDD with its element indices. The ordering is first based on the partition index and then the ordering of items within each partition. So the first item in the first partition gets index 0, and the last item in the last partition receives the largest index. This method needs to trigger a spark job when this RDD contains more than one partitions. >>> sc.parallelize(["a", "b", "c", "d"], 3).zipWithIndex().collect() [('a', 0), ('b', 1), ('c', 2), ('d', 3)]
[ "Zips", "this", "RDD", "with", "its", "element", "indices", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2159-L2184
apache/spark
python/pyspark/rdd.py
RDD.zipWithUniqueId
def zipWithUniqueId(self): """ Zips this RDD with generated unique Long ids. Items in the kth partition will get ids k, n+k, 2*n+k, ..., where n is the number of partitions. So there may exist gaps, but this method won't trigger a spark job, which is different from L{zipWithIndex} >>> sc.parallelize(["a", "b", "c", "d", "e"], 3).zipWithUniqueId().collect() [('a', 0), ('b', 1), ('c', 4), ('d', 2), ('e', 5)] """ n = self.getNumPartitions() def func(k, it): for i, v in enumerate(it): yield v, i * n + k return self.mapPartitionsWithIndex(func)
python
def zipWithUniqueId(self): """ Zips this RDD with generated unique Long ids. Items in the kth partition will get ids k, n+k, 2*n+k, ..., where n is the number of partitions. So there may exist gaps, but this method won't trigger a spark job, which is different from L{zipWithIndex} >>> sc.parallelize(["a", "b", "c", "d", "e"], 3).zipWithUniqueId().collect() [('a', 0), ('b', 1), ('c', 4), ('d', 2), ('e', 5)] """ n = self.getNumPartitions() def func(k, it): for i, v in enumerate(it): yield v, i * n + k return self.mapPartitionsWithIndex(func)
[ "def", "zipWithUniqueId", "(", "self", ")", ":", "n", "=", "self", ".", "getNumPartitions", "(", ")", "def", "func", "(", "k", ",", "it", ")", ":", "for", "i", ",", "v", "in", "enumerate", "(", "it", ")", ":", "yield", "v", ",", "i", "*", "n", "+", "k", "return", "self", ".", "mapPartitionsWithIndex", "(", "func", ")" ]
Zips this RDD with generated unique Long ids. Items in the kth partition will get ids k, n+k, 2*n+k, ..., where n is the number of partitions. So there may exist gaps, but this method won't trigger a spark job, which is different from L{zipWithIndex} >>> sc.parallelize(["a", "b", "c", "d", "e"], 3).zipWithUniqueId().collect() [('a', 0), ('b', 1), ('c', 4), ('d', 2), ('e', 5)]
[ "Zips", "this", "RDD", "with", "generated", "unique", "Long", "ids", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2186-L2204
apache/spark
python/pyspark/rdd.py
RDD.getStorageLevel
def getStorageLevel(self): """ Get the RDD's current storage level. >>> rdd1 = sc.parallelize([1,2]) >>> rdd1.getStorageLevel() StorageLevel(False, False, False, False, 1) >>> print(rdd1.getStorageLevel()) Serialized 1x Replicated """ java_storage_level = self._jrdd.getStorageLevel() storage_level = StorageLevel(java_storage_level.useDisk(), java_storage_level.useMemory(), java_storage_level.useOffHeap(), java_storage_level.deserialized(), java_storage_level.replication()) return storage_level
python
def getStorageLevel(self): """ Get the RDD's current storage level. >>> rdd1 = sc.parallelize([1,2]) >>> rdd1.getStorageLevel() StorageLevel(False, False, False, False, 1) >>> print(rdd1.getStorageLevel()) Serialized 1x Replicated """ java_storage_level = self._jrdd.getStorageLevel() storage_level = StorageLevel(java_storage_level.useDisk(), java_storage_level.useMemory(), java_storage_level.useOffHeap(), java_storage_level.deserialized(), java_storage_level.replication()) return storage_level
[ "def", "getStorageLevel", "(", "self", ")", ":", "java_storage_level", "=", "self", ".", "_jrdd", ".", "getStorageLevel", "(", ")", "storage_level", "=", "StorageLevel", "(", "java_storage_level", ".", "useDisk", "(", ")", ",", "java_storage_level", ".", "useMemory", "(", ")", ",", "java_storage_level", ".", "useOffHeap", "(", ")", ",", "java_storage_level", ".", "deserialized", "(", ")", ",", "java_storage_level", ".", "replication", "(", ")", ")", "return", "storage_level" ]
Get the RDD's current storage level. >>> rdd1 = sc.parallelize([1,2]) >>> rdd1.getStorageLevel() StorageLevel(False, False, False, False, 1) >>> print(rdd1.getStorageLevel()) Serialized 1x Replicated
[ "Get", "the", "RDD", "s", "current", "storage", "level", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2234-L2250
apache/spark
python/pyspark/rdd.py
RDD._defaultReducePartitions
def _defaultReducePartitions(self): """ Returns the default number of partitions to use during reduce tasks (e.g., groupBy). If spark.default.parallelism is set, then we'll use the value from SparkContext defaultParallelism, otherwise we'll use the number of partitions in this RDD. This mirrors the behavior of the Scala Partitioner#defaultPartitioner, intended to reduce the likelihood of OOMs. Once PySpark adopts Partitioner-based APIs, this behavior will be inherent. """ if self.ctx._conf.contains("spark.default.parallelism"): return self.ctx.defaultParallelism else: return self.getNumPartitions()
python
def _defaultReducePartitions(self): """ Returns the default number of partitions to use during reduce tasks (e.g., groupBy). If spark.default.parallelism is set, then we'll use the value from SparkContext defaultParallelism, otherwise we'll use the number of partitions in this RDD. This mirrors the behavior of the Scala Partitioner#defaultPartitioner, intended to reduce the likelihood of OOMs. Once PySpark adopts Partitioner-based APIs, this behavior will be inherent. """ if self.ctx._conf.contains("spark.default.parallelism"): return self.ctx.defaultParallelism else: return self.getNumPartitions()
[ "def", "_defaultReducePartitions", "(", "self", ")", ":", "if", "self", ".", "ctx", ".", "_conf", ".", "contains", "(", "\"spark.default.parallelism\"", ")", ":", "return", "self", ".", "ctx", ".", "defaultParallelism", "else", ":", "return", "self", ".", "getNumPartitions", "(", ")" ]
Returns the default number of partitions to use during reduce tasks (e.g., groupBy). If spark.default.parallelism is set, then we'll use the value from SparkContext defaultParallelism, otherwise we'll use the number of partitions in this RDD. This mirrors the behavior of the Scala Partitioner#defaultPartitioner, intended to reduce the likelihood of OOMs. Once PySpark adopts Partitioner-based APIs, this behavior will be inherent.
[ "Returns", "the", "default", "number", "of", "partitions", "to", "use", "during", "reduce", "tasks", "(", "e", ".", "g", ".", "groupBy", ")", ".", "If", "spark", ".", "default", ".", "parallelism", "is", "set", "then", "we", "ll", "use", "the", "value", "from", "SparkContext", "defaultParallelism", "otherwise", "we", "ll", "use", "the", "number", "of", "partitions", "in", "this", "RDD", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2252-L2265
apache/spark
python/pyspark/rdd.py
RDD.lookup
def lookup(self, key): """ Return the list of values in the RDD for key `key`. This operation is done efficiently if the RDD has a known partitioner by only searching the partition that the key maps to. >>> l = range(1000) >>> rdd = sc.parallelize(zip(l, l), 10) >>> rdd.lookup(42) # slow [42] >>> sorted = rdd.sortByKey() >>> sorted.lookup(42) # fast [42] >>> sorted.lookup(1024) [] >>> rdd2 = sc.parallelize([(('a', 'b'), 'c')]).groupByKey() >>> list(rdd2.lookup(('a', 'b'))[0]) ['c'] """ values = self.filter(lambda kv: kv[0] == key).values() if self.partitioner is not None: return self.ctx.runJob(values, lambda x: x, [self.partitioner(key)]) return values.collect()
python
def lookup(self, key): """ Return the list of values in the RDD for key `key`. This operation is done efficiently if the RDD has a known partitioner by only searching the partition that the key maps to. >>> l = range(1000) >>> rdd = sc.parallelize(zip(l, l), 10) >>> rdd.lookup(42) # slow [42] >>> sorted = rdd.sortByKey() >>> sorted.lookup(42) # fast [42] >>> sorted.lookup(1024) [] >>> rdd2 = sc.parallelize([(('a', 'b'), 'c')]).groupByKey() >>> list(rdd2.lookup(('a', 'b'))[0]) ['c'] """ values = self.filter(lambda kv: kv[0] == key).values() if self.partitioner is not None: return self.ctx.runJob(values, lambda x: x, [self.partitioner(key)]) return values.collect()
[ "def", "lookup", "(", "self", ",", "key", ")", ":", "values", "=", "self", ".", "filter", "(", "lambda", "kv", ":", "kv", "[", "0", "]", "==", "key", ")", ".", "values", "(", ")", "if", "self", ".", "partitioner", "is", "not", "None", ":", "return", "self", ".", "ctx", ".", "runJob", "(", "values", ",", "lambda", "x", ":", "x", ",", "[", "self", ".", "partitioner", "(", "key", ")", "]", ")", "return", "values", ".", "collect", "(", ")" ]
Return the list of values in the RDD for key `key`. This operation is done efficiently if the RDD has a known partitioner by only searching the partition that the key maps to. >>> l = range(1000) >>> rdd = sc.parallelize(zip(l, l), 10) >>> rdd.lookup(42) # slow [42] >>> sorted = rdd.sortByKey() >>> sorted.lookup(42) # fast [42] >>> sorted.lookup(1024) [] >>> rdd2 = sc.parallelize([(('a', 'b'), 'c')]).groupByKey() >>> list(rdd2.lookup(('a', 'b'))[0]) ['c']
[ "Return", "the", "list", "of", "values", "in", "the", "RDD", "for", "key", "key", ".", "This", "operation", "is", "done", "efficiently", "if", "the", "RDD", "has", "a", "known", "partitioner", "by", "only", "searching", "the", "partition", "that", "the", "key", "maps", "to", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2267-L2291
apache/spark
python/pyspark/rdd.py
RDD._to_java_object_rdd
def _to_java_object_rdd(self): """ Return a JavaRDD of Object by unpickling It will convert each Python object into Java object by Pyrolite, whenever the RDD is serialized in batch or not. """ rdd = self._pickled() return self.ctx._jvm.SerDeUtil.pythonToJava(rdd._jrdd, True)
python
def _to_java_object_rdd(self): """ Return a JavaRDD of Object by unpickling It will convert each Python object into Java object by Pyrolite, whenever the RDD is serialized in batch or not. """ rdd = self._pickled() return self.ctx._jvm.SerDeUtil.pythonToJava(rdd._jrdd, True)
[ "def", "_to_java_object_rdd", "(", "self", ")", ":", "rdd", "=", "self", ".", "_pickled", "(", ")", "return", "self", ".", "ctx", ".", "_jvm", ".", "SerDeUtil", ".", "pythonToJava", "(", "rdd", ".", "_jrdd", ",", "True", ")" ]
Return a JavaRDD of Object by unpickling It will convert each Python object into Java object by Pyrolite, whenever the RDD is serialized in batch or not.
[ "Return", "a", "JavaRDD", "of", "Object", "by", "unpickling" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2293-L2300
apache/spark
python/pyspark/rdd.py
RDD.countApprox
def countApprox(self, timeout, confidence=0.95): """ .. note:: Experimental Approximate version of count() that returns a potentially incomplete result within a timeout, even if not all tasks have finished. >>> rdd = sc.parallelize(range(1000), 10) >>> rdd.countApprox(1000, 1.0) 1000 """ drdd = self.mapPartitions(lambda it: [float(sum(1 for i in it))]) return int(drdd.sumApprox(timeout, confidence))
python
def countApprox(self, timeout, confidence=0.95): """ .. note:: Experimental Approximate version of count() that returns a potentially incomplete result within a timeout, even if not all tasks have finished. >>> rdd = sc.parallelize(range(1000), 10) >>> rdd.countApprox(1000, 1.0) 1000 """ drdd = self.mapPartitions(lambda it: [float(sum(1 for i in it))]) return int(drdd.sumApprox(timeout, confidence))
[ "def", "countApprox", "(", "self", ",", "timeout", ",", "confidence", "=", "0.95", ")", ":", "drdd", "=", "self", ".", "mapPartitions", "(", "lambda", "it", ":", "[", "float", "(", "sum", "(", "1", "for", "i", "in", "it", ")", ")", "]", ")", "return", "int", "(", "drdd", ".", "sumApprox", "(", "timeout", ",", "confidence", ")", ")" ]
.. note:: Experimental Approximate version of count() that returns a potentially incomplete result within a timeout, even if not all tasks have finished. >>> rdd = sc.parallelize(range(1000), 10) >>> rdd.countApprox(1000, 1.0) 1000
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2302-L2314
apache/spark
python/pyspark/rdd.py
RDD.sumApprox
def sumApprox(self, timeout, confidence=0.95): """ .. note:: Experimental Approximate operation to return the sum within a timeout or meet the confidence. >>> rdd = sc.parallelize(range(1000), 10) >>> r = sum(range(1000)) >>> abs(rdd.sumApprox(1000) - r) / r < 0.05 True """ jrdd = self.mapPartitions(lambda it: [float(sum(it))])._to_java_object_rdd() jdrdd = self.ctx._jvm.JavaDoubleRDD.fromRDD(jrdd.rdd()) r = jdrdd.sumApprox(timeout, confidence).getFinalValue() return BoundedFloat(r.mean(), r.confidence(), r.low(), r.high())
python
def sumApprox(self, timeout, confidence=0.95): """ .. note:: Experimental Approximate operation to return the sum within a timeout or meet the confidence. >>> rdd = sc.parallelize(range(1000), 10) >>> r = sum(range(1000)) >>> abs(rdd.sumApprox(1000) - r) / r < 0.05 True """ jrdd = self.mapPartitions(lambda it: [float(sum(it))])._to_java_object_rdd() jdrdd = self.ctx._jvm.JavaDoubleRDD.fromRDD(jrdd.rdd()) r = jdrdd.sumApprox(timeout, confidence).getFinalValue() return BoundedFloat(r.mean(), r.confidence(), r.low(), r.high())
[ "def", "sumApprox", "(", "self", ",", "timeout", ",", "confidence", "=", "0.95", ")", ":", "jrdd", "=", "self", ".", "mapPartitions", "(", "lambda", "it", ":", "[", "float", "(", "sum", "(", "it", ")", ")", "]", ")", ".", "_to_java_object_rdd", "(", ")", "jdrdd", "=", "self", ".", "ctx", ".", "_jvm", ".", "JavaDoubleRDD", ".", "fromRDD", "(", "jrdd", ".", "rdd", "(", ")", ")", "r", "=", "jdrdd", ".", "sumApprox", "(", "timeout", ",", "confidence", ")", ".", "getFinalValue", "(", ")", "return", "BoundedFloat", "(", "r", ".", "mean", "(", ")", ",", "r", ".", "confidence", "(", ")", ",", "r", ".", "low", "(", ")", ",", "r", ".", "high", "(", ")", ")" ]
.. note:: Experimental Approximate operation to return the sum within a timeout or meet the confidence. >>> rdd = sc.parallelize(range(1000), 10) >>> r = sum(range(1000)) >>> abs(rdd.sumApprox(1000) - r) / r < 0.05 True
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2316-L2331
apache/spark
python/pyspark/rdd.py
RDD.meanApprox
def meanApprox(self, timeout, confidence=0.95): """ .. note:: Experimental Approximate operation to return the mean within a timeout or meet the confidence. >>> rdd = sc.parallelize(range(1000), 10) >>> r = sum(range(1000)) / 1000.0 >>> abs(rdd.meanApprox(1000) - r) / r < 0.05 True """ jrdd = self.map(float)._to_java_object_rdd() jdrdd = self.ctx._jvm.JavaDoubleRDD.fromRDD(jrdd.rdd()) r = jdrdd.meanApprox(timeout, confidence).getFinalValue() return BoundedFloat(r.mean(), r.confidence(), r.low(), r.high())
python
def meanApprox(self, timeout, confidence=0.95): """ .. note:: Experimental Approximate operation to return the mean within a timeout or meet the confidence. >>> rdd = sc.parallelize(range(1000), 10) >>> r = sum(range(1000)) / 1000.0 >>> abs(rdd.meanApprox(1000) - r) / r < 0.05 True """ jrdd = self.map(float)._to_java_object_rdd() jdrdd = self.ctx._jvm.JavaDoubleRDD.fromRDD(jrdd.rdd()) r = jdrdd.meanApprox(timeout, confidence).getFinalValue() return BoundedFloat(r.mean(), r.confidence(), r.low(), r.high())
[ "def", "meanApprox", "(", "self", ",", "timeout", ",", "confidence", "=", "0.95", ")", ":", "jrdd", "=", "self", ".", "map", "(", "float", ")", ".", "_to_java_object_rdd", "(", ")", "jdrdd", "=", "self", ".", "ctx", ".", "_jvm", ".", "JavaDoubleRDD", ".", "fromRDD", "(", "jrdd", ".", "rdd", "(", ")", ")", "r", "=", "jdrdd", ".", "meanApprox", "(", "timeout", ",", "confidence", ")", ".", "getFinalValue", "(", ")", "return", "BoundedFloat", "(", "r", ".", "mean", "(", ")", ",", "r", ".", "confidence", "(", ")", ",", "r", ".", "low", "(", ")", ",", "r", ".", "high", "(", ")", ")" ]
.. note:: Experimental Approximate operation to return the mean within a timeout or meet the confidence. >>> rdd = sc.parallelize(range(1000), 10) >>> r = sum(range(1000)) / 1000.0 >>> abs(rdd.meanApprox(1000) - r) / r < 0.05 True
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2333-L2348
apache/spark
python/pyspark/rdd.py
RDD.countApproxDistinct
def countApproxDistinct(self, relativeSD=0.05): """ .. note:: Experimental Return approximate number of distinct elements in the RDD. The algorithm used is based on streamlib's implementation of `"HyperLogLog in Practice: Algorithmic Engineering of a State of The Art Cardinality Estimation Algorithm", available here <https://doi.org/10.1145/2452376.2452456>`_. :param relativeSD: Relative accuracy. Smaller values create counters that require more space. It must be greater than 0.000017. >>> n = sc.parallelize(range(1000)).map(str).countApproxDistinct() >>> 900 < n < 1100 True >>> n = sc.parallelize([i % 20 for i in range(1000)]).countApproxDistinct() >>> 16 < n < 24 True """ if relativeSD < 0.000017: raise ValueError("relativeSD should be greater than 0.000017") # the hash space in Java is 2^32 hashRDD = self.map(lambda x: portable_hash(x) & 0xFFFFFFFF) return hashRDD._to_java_object_rdd().countApproxDistinct(relativeSD)
python
def countApproxDistinct(self, relativeSD=0.05): """ .. note:: Experimental Return approximate number of distinct elements in the RDD. The algorithm used is based on streamlib's implementation of `"HyperLogLog in Practice: Algorithmic Engineering of a State of The Art Cardinality Estimation Algorithm", available here <https://doi.org/10.1145/2452376.2452456>`_. :param relativeSD: Relative accuracy. Smaller values create counters that require more space. It must be greater than 0.000017. >>> n = sc.parallelize(range(1000)).map(str).countApproxDistinct() >>> 900 < n < 1100 True >>> n = sc.parallelize([i % 20 for i in range(1000)]).countApproxDistinct() >>> 16 < n < 24 True """ if relativeSD < 0.000017: raise ValueError("relativeSD should be greater than 0.000017") # the hash space in Java is 2^32 hashRDD = self.map(lambda x: portable_hash(x) & 0xFFFFFFFF) return hashRDD._to_java_object_rdd().countApproxDistinct(relativeSD)
[ "def", "countApproxDistinct", "(", "self", ",", "relativeSD", "=", "0.05", ")", ":", "if", "relativeSD", "<", "0.000017", ":", "raise", "ValueError", "(", "\"relativeSD should be greater than 0.000017\"", ")", "# the hash space in Java is 2^32", "hashRDD", "=", "self", ".", "map", "(", "lambda", "x", ":", "portable_hash", "(", "x", ")", "&", "0xFFFFFFFF", ")", "return", "hashRDD", ".", "_to_java_object_rdd", "(", ")", ".", "countApproxDistinct", "(", "relativeSD", ")" ]
.. note:: Experimental Return approximate number of distinct elements in the RDD. The algorithm used is based on streamlib's implementation of `"HyperLogLog in Practice: Algorithmic Engineering of a State of The Art Cardinality Estimation Algorithm", available here <https://doi.org/10.1145/2452376.2452456>`_. :param relativeSD: Relative accuracy. Smaller values create counters that require more space. It must be greater than 0.000017. >>> n = sc.parallelize(range(1000)).map(str).countApproxDistinct() >>> 900 < n < 1100 True >>> n = sc.parallelize([i % 20 for i in range(1000)]).countApproxDistinct() >>> 16 < n < 24 True
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2350-L2376
apache/spark
python/pyspark/rdd.py
RDD.toLocalIterator
def toLocalIterator(self): """ Return an iterator that contains all of the elements in this RDD. The iterator will consume as much memory as the largest partition in this RDD. >>> rdd = sc.parallelize(range(10)) >>> [x for x in rdd.toLocalIterator()] [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] """ with SCCallSiteSync(self.context) as css: sock_info = self.ctx._jvm.PythonRDD.toLocalIteratorAndServe(self._jrdd.rdd()) return _load_from_socket(sock_info, self._jrdd_deserializer)
python
def toLocalIterator(self): """ Return an iterator that contains all of the elements in this RDD. The iterator will consume as much memory as the largest partition in this RDD. >>> rdd = sc.parallelize(range(10)) >>> [x for x in rdd.toLocalIterator()] [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] """ with SCCallSiteSync(self.context) as css: sock_info = self.ctx._jvm.PythonRDD.toLocalIteratorAndServe(self._jrdd.rdd()) return _load_from_socket(sock_info, self._jrdd_deserializer)
[ "def", "toLocalIterator", "(", "self", ")", ":", "with", "SCCallSiteSync", "(", "self", ".", "context", ")", "as", "css", ":", "sock_info", "=", "self", ".", "ctx", ".", "_jvm", ".", "PythonRDD", ".", "toLocalIteratorAndServe", "(", "self", ".", "_jrdd", ".", "rdd", "(", ")", ")", "return", "_load_from_socket", "(", "sock_info", ",", "self", ".", "_jrdd_deserializer", ")" ]
Return an iterator that contains all of the elements in this RDD. The iterator will consume as much memory as the largest partition in this RDD. >>> rdd = sc.parallelize(range(10)) >>> [x for x in rdd.toLocalIterator()] [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
[ "Return", "an", "iterator", "that", "contains", "all", "of", "the", "elements", "in", "this", "RDD", ".", "The", "iterator", "will", "consume", "as", "much", "memory", "as", "the", "largest", "partition", "in", "this", "RDD", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2378-L2389
apache/spark
python/pyspark/rdd.py
RDDBarrier.mapPartitions
def mapPartitions(self, f, preservesPartitioning=False): """ .. note:: Experimental Returns a new RDD by applying a function to each partition of the wrapped RDD, where tasks are launched together in a barrier stage. The interface is the same as :func:`RDD.mapPartitions`. Please see the API doc there. .. versionadded:: 2.4.0 """ def func(s, iterator): return f(iterator) return PipelinedRDD(self.rdd, func, preservesPartitioning, isFromBarrier=True)
python
def mapPartitions(self, f, preservesPartitioning=False): """ .. note:: Experimental Returns a new RDD by applying a function to each partition of the wrapped RDD, where tasks are launched together in a barrier stage. The interface is the same as :func:`RDD.mapPartitions`. Please see the API doc there. .. versionadded:: 2.4.0 """ def func(s, iterator): return f(iterator) return PipelinedRDD(self.rdd, func, preservesPartitioning, isFromBarrier=True)
[ "def", "mapPartitions", "(", "self", ",", "f", ",", "preservesPartitioning", "=", "False", ")", ":", "def", "func", "(", "s", ",", "iterator", ")", ":", "return", "f", "(", "iterator", ")", "return", "PipelinedRDD", "(", "self", ".", "rdd", ",", "func", ",", "preservesPartitioning", ",", "isFromBarrier", "=", "True", ")" ]
.. note:: Experimental Returns a new RDD by applying a function to each partition of the wrapped RDD, where tasks are launched together in a barrier stage. The interface is the same as :func:`RDD.mapPartitions`. Please see the API doc there. .. versionadded:: 2.4.0
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/rdd.py#L2455-L2468
apache/spark
python/pyspark/sql/column.py
_to_seq
def _to_seq(sc, cols, converter=None): """ Convert a list of Column (or names) into a JVM Seq of Column. An optional `converter` could be used to convert items in `cols` into JVM Column objects. """ if converter: cols = [converter(c) for c in cols] return sc._jvm.PythonUtils.toSeq(cols)
python
def _to_seq(sc, cols, converter=None): """ Convert a list of Column (or names) into a JVM Seq of Column. An optional `converter` could be used to convert items in `cols` into JVM Column objects. """ if converter: cols = [converter(c) for c in cols] return sc._jvm.PythonUtils.toSeq(cols)
[ "def", "_to_seq", "(", "sc", ",", "cols", ",", "converter", "=", "None", ")", ":", "if", "converter", ":", "cols", "=", "[", "converter", "(", "c", ")", "for", "c", "in", "cols", "]", "return", "sc", ".", "_jvm", ".", "PythonUtils", ".", "toSeq", "(", "cols", ")" ]
Convert a list of Column (or names) into a JVM Seq of Column. An optional `converter` could be used to convert items in `cols` into JVM Column objects.
[ "Convert", "a", "list", "of", "Column", "(", "or", "names", ")", "into", "a", "JVM", "Seq", "of", "Column", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L57-L66
apache/spark
python/pyspark/sql/column.py
_to_list
def _to_list(sc, cols, converter=None): """ Convert a list of Column (or names) into a JVM (Scala) List of Column. An optional `converter` could be used to convert items in `cols` into JVM Column objects. """ if converter: cols = [converter(c) for c in cols] return sc._jvm.PythonUtils.toList(cols)
python
def _to_list(sc, cols, converter=None): """ Convert a list of Column (or names) into a JVM (Scala) List of Column. An optional `converter` could be used to convert items in `cols` into JVM Column objects. """ if converter: cols = [converter(c) for c in cols] return sc._jvm.PythonUtils.toList(cols)
[ "def", "_to_list", "(", "sc", ",", "cols", ",", "converter", "=", "None", ")", ":", "if", "converter", ":", "cols", "=", "[", "converter", "(", "c", ")", "for", "c", "in", "cols", "]", "return", "sc", ".", "_jvm", ".", "PythonUtils", ".", "toList", "(", "cols", ")" ]
Convert a list of Column (or names) into a JVM (Scala) List of Column. An optional `converter` could be used to convert items in `cols` into JVM Column objects.
[ "Convert", "a", "list", "of", "Column", "(", "or", "names", ")", "into", "a", "JVM", "(", "Scala", ")", "List", "of", "Column", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L69-L78
apache/spark
python/pyspark/sql/column.py
_unary_op
def _unary_op(name, doc="unary operator"): """ Create a method for given unary operator """ def _(self): jc = getattr(self._jc, name)() return Column(jc) _.__doc__ = doc return _
python
def _unary_op(name, doc="unary operator"): """ Create a method for given unary operator """ def _(self): jc = getattr(self._jc, name)() return Column(jc) _.__doc__ = doc return _
[ "def", "_unary_op", "(", "name", ",", "doc", "=", "\"unary operator\"", ")", ":", "def", "_", "(", "self", ")", ":", "jc", "=", "getattr", "(", "self", ".", "_jc", ",", "name", ")", "(", ")", "return", "Column", "(", "jc", ")", "_", ".", "__doc__", "=", "doc", "return", "_" ]
Create a method for given unary operator
[ "Create", "a", "method", "for", "given", "unary", "operator" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L81-L87
apache/spark
python/pyspark/sql/column.py
_bin_op
def _bin_op(name, doc="binary operator"): """ Create a method for given binary operator """ def _(self, other): jc = other._jc if isinstance(other, Column) else other njc = getattr(self._jc, name)(jc) return Column(njc) _.__doc__ = doc return _
python
def _bin_op(name, doc="binary operator"): """ Create a method for given binary operator """ def _(self, other): jc = other._jc if isinstance(other, Column) else other njc = getattr(self._jc, name)(jc) return Column(njc) _.__doc__ = doc return _
[ "def", "_bin_op", "(", "name", ",", "doc", "=", "\"binary operator\"", ")", ":", "def", "_", "(", "self", ",", "other", ")", ":", "jc", "=", "other", ".", "_jc", "if", "isinstance", "(", "other", ",", "Column", ")", "else", "other", "njc", "=", "getattr", "(", "self", ".", "_jc", ",", "name", ")", "(", "jc", ")", "return", "Column", "(", "njc", ")", "_", ".", "__doc__", "=", "doc", "return", "_" ]
Create a method for given binary operator
[ "Create", "a", "method", "for", "given", "binary", "operator" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L110-L118
apache/spark
python/pyspark/sql/column.py
_reverse_op
def _reverse_op(name, doc="binary operator"): """ Create a method for binary operator (this object is on right side) """ def _(self, other): jother = _create_column_from_literal(other) jc = getattr(jother, name)(self._jc) return Column(jc) _.__doc__ = doc return _
python
def _reverse_op(name, doc="binary operator"): """ Create a method for binary operator (this object is on right side) """ def _(self, other): jother = _create_column_from_literal(other) jc = getattr(jother, name)(self._jc) return Column(jc) _.__doc__ = doc return _
[ "def", "_reverse_op", "(", "name", ",", "doc", "=", "\"binary operator\"", ")", ":", "def", "_", "(", "self", ",", "other", ")", ":", "jother", "=", "_create_column_from_literal", "(", "other", ")", "jc", "=", "getattr", "(", "jother", ",", "name", ")", "(", "self", ".", "_jc", ")", "return", "Column", "(", "jc", ")", "_", ".", "__doc__", "=", "doc", "return", "_" ]
Create a method for binary operator (this object is on right side)
[ "Create", "a", "method", "for", "binary", "operator", "(", "this", "object", "is", "on", "right", "side", ")" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L121-L129
apache/spark
python/pyspark/sql/column.py
Column.substr
def substr(self, startPos, length): """ Return a :class:`Column` which is a substring of the column. :param startPos: start position (int or Column) :param length: length of the substring (int or Column) >>> df.select(df.name.substr(1, 3).alias("col")).collect() [Row(col=u'Ali'), Row(col=u'Bob')] """ if type(startPos) != type(length): raise TypeError( "startPos and length must be the same type. " "Got {startPos_t} and {length_t}, respectively." .format( startPos_t=type(startPos), length_t=type(length), )) if isinstance(startPos, int): jc = self._jc.substr(startPos, length) elif isinstance(startPos, Column): jc = self._jc.substr(startPos._jc, length._jc) else: raise TypeError("Unexpected type: %s" % type(startPos)) return Column(jc)
python
def substr(self, startPos, length): """ Return a :class:`Column` which is a substring of the column. :param startPos: start position (int or Column) :param length: length of the substring (int or Column) >>> df.select(df.name.substr(1, 3).alias("col")).collect() [Row(col=u'Ali'), Row(col=u'Bob')] """ if type(startPos) != type(length): raise TypeError( "startPos and length must be the same type. " "Got {startPos_t} and {length_t}, respectively." .format( startPos_t=type(startPos), length_t=type(length), )) if isinstance(startPos, int): jc = self._jc.substr(startPos, length) elif isinstance(startPos, Column): jc = self._jc.substr(startPos._jc, length._jc) else: raise TypeError("Unexpected type: %s" % type(startPos)) return Column(jc)
[ "def", "substr", "(", "self", ",", "startPos", ",", "length", ")", ":", "if", "type", "(", "startPos", ")", "!=", "type", "(", "length", ")", ":", "raise", "TypeError", "(", "\"startPos and length must be the same type. \"", "\"Got {startPos_t} and {length_t}, respectively.\"", ".", "format", "(", "startPos_t", "=", "type", "(", "startPos", ")", ",", "length_t", "=", "type", "(", "length", ")", ",", ")", ")", "if", "isinstance", "(", "startPos", ",", "int", ")", ":", "jc", "=", "self", ".", "_jc", ".", "substr", "(", "startPos", ",", "length", ")", "elif", "isinstance", "(", "startPos", ",", "Column", ")", ":", "jc", "=", "self", ".", "_jc", ".", "substr", "(", "startPos", ".", "_jc", ",", "length", ".", "_jc", ")", "else", ":", "raise", "TypeError", "(", "\"Unexpected type: %s\"", "%", "type", "(", "startPos", ")", ")", "return", "Column", "(", "jc", ")" ]
Return a :class:`Column` which is a substring of the column. :param startPos: start position (int or Column) :param length: length of the substring (int or Column) >>> df.select(df.name.substr(1, 3).alias("col")).collect() [Row(col=u'Ali'), Row(col=u'Bob')]
[ "Return", "a", ":", "class", ":", "Column", "which", "is", "a", "substring", "of", "the", "column", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L403-L427
apache/spark
python/pyspark/sql/column.py
Column.isin
def isin(self, *cols): """ A boolean expression that is evaluated to true if the value of this expression is contained by the evaluated values of the arguments. >>> df[df.name.isin("Bob", "Mike")].collect() [Row(age=5, name=u'Bob')] >>> df[df.age.isin([1, 2, 3])].collect() [Row(age=2, name=u'Alice')] """ if len(cols) == 1 and isinstance(cols[0], (list, set)): cols = cols[0] cols = [c._jc if isinstance(c, Column) else _create_column_from_literal(c) for c in cols] sc = SparkContext._active_spark_context jc = getattr(self._jc, "isin")(_to_seq(sc, cols)) return Column(jc)
python
def isin(self, *cols): """ A boolean expression that is evaluated to true if the value of this expression is contained by the evaluated values of the arguments. >>> df[df.name.isin("Bob", "Mike")].collect() [Row(age=5, name=u'Bob')] >>> df[df.age.isin([1, 2, 3])].collect() [Row(age=2, name=u'Alice')] """ if len(cols) == 1 and isinstance(cols[0], (list, set)): cols = cols[0] cols = [c._jc if isinstance(c, Column) else _create_column_from_literal(c) for c in cols] sc = SparkContext._active_spark_context jc = getattr(self._jc, "isin")(_to_seq(sc, cols)) return Column(jc)
[ "def", "isin", "(", "self", ",", "*", "cols", ")", ":", "if", "len", "(", "cols", ")", "==", "1", "and", "isinstance", "(", "cols", "[", "0", "]", ",", "(", "list", ",", "set", ")", ")", ":", "cols", "=", "cols", "[", "0", "]", "cols", "=", "[", "c", ".", "_jc", "if", "isinstance", "(", "c", ",", "Column", ")", "else", "_create_column_from_literal", "(", "c", ")", "for", "c", "in", "cols", "]", "sc", "=", "SparkContext", ".", "_active_spark_context", "jc", "=", "getattr", "(", "self", ".", "_jc", ",", "\"isin\"", ")", "(", "_to_seq", "(", "sc", ",", "cols", ")", ")", "return", "Column", "(", "jc", ")" ]
A boolean expression that is evaluated to true if the value of this expression is contained by the evaluated values of the arguments. >>> df[df.name.isin("Bob", "Mike")].collect() [Row(age=5, name=u'Bob')] >>> df[df.age.isin([1, 2, 3])].collect() [Row(age=2, name=u'Alice')]
[ "A", "boolean", "expression", "that", "is", "evaluated", "to", "true", "if", "the", "value", "of", "this", "expression", "is", "contained", "by", "the", "evaluated", "values", "of", "the", "arguments", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L431-L446
apache/spark
python/pyspark/sql/column.py
Column.alias
def alias(self, *alias, **kwargs): """ Returns this column aliased with a new name or names (in the case of expressions that return more than one column, such as explode). :param alias: strings of desired column names (collects all positional arguments passed) :param metadata: a dict of information to be stored in ``metadata`` attribute of the corresponding :class: `StructField` (optional, keyword only argument) .. versionchanged:: 2.2 Added optional ``metadata`` argument. >>> df.select(df.age.alias("age2")).collect() [Row(age2=2), Row(age2=5)] >>> df.select(df.age.alias("age3", metadata={'max': 99})).schema['age3'].metadata['max'] 99 """ metadata = kwargs.pop('metadata', None) assert not kwargs, 'Unexpected kwargs where passed: %s' % kwargs sc = SparkContext._active_spark_context if len(alias) == 1: if metadata: jmeta = sc._jvm.org.apache.spark.sql.types.Metadata.fromJson( json.dumps(metadata)) return Column(getattr(self._jc, "as")(alias[0], jmeta)) else: return Column(getattr(self._jc, "as")(alias[0])) else: if metadata: raise ValueError('metadata can only be provided for a single column') return Column(getattr(self._jc, "as")(_to_seq(sc, list(alias))))
python
def alias(self, *alias, **kwargs): """ Returns this column aliased with a new name or names (in the case of expressions that return more than one column, such as explode). :param alias: strings of desired column names (collects all positional arguments passed) :param metadata: a dict of information to be stored in ``metadata`` attribute of the corresponding :class: `StructField` (optional, keyword only argument) .. versionchanged:: 2.2 Added optional ``metadata`` argument. >>> df.select(df.age.alias("age2")).collect() [Row(age2=2), Row(age2=5)] >>> df.select(df.age.alias("age3", metadata={'max': 99})).schema['age3'].metadata['max'] 99 """ metadata = kwargs.pop('metadata', None) assert not kwargs, 'Unexpected kwargs where passed: %s' % kwargs sc = SparkContext._active_spark_context if len(alias) == 1: if metadata: jmeta = sc._jvm.org.apache.spark.sql.types.Metadata.fromJson( json.dumps(metadata)) return Column(getattr(self._jc, "as")(alias[0], jmeta)) else: return Column(getattr(self._jc, "as")(alias[0])) else: if metadata: raise ValueError('metadata can only be provided for a single column') return Column(getattr(self._jc, "as")(_to_seq(sc, list(alias))))
[ "def", "alias", "(", "self", ",", "*", "alias", ",", "*", "*", "kwargs", ")", ":", "metadata", "=", "kwargs", ".", "pop", "(", "'metadata'", ",", "None", ")", "assert", "not", "kwargs", ",", "'Unexpected kwargs where passed: %s'", "%", "kwargs", "sc", "=", "SparkContext", ".", "_active_spark_context", "if", "len", "(", "alias", ")", "==", "1", ":", "if", "metadata", ":", "jmeta", "=", "sc", ".", "_jvm", ".", "org", ".", "apache", ".", "spark", ".", "sql", ".", "types", ".", "Metadata", ".", "fromJson", "(", "json", ".", "dumps", "(", "metadata", ")", ")", "return", "Column", "(", "getattr", "(", "self", ".", "_jc", ",", "\"as\"", ")", "(", "alias", "[", "0", "]", ",", "jmeta", ")", ")", "else", ":", "return", "Column", "(", "getattr", "(", "self", ".", "_jc", ",", "\"as\"", ")", "(", "alias", "[", "0", "]", ")", ")", "else", ":", "if", "metadata", ":", "raise", "ValueError", "(", "'metadata can only be provided for a single column'", ")", "return", "Column", "(", "getattr", "(", "self", ".", "_jc", ",", "\"as\"", ")", "(", "_to_seq", "(", "sc", ",", "list", "(", "alias", ")", ")", ")", ")" ]
Returns this column aliased with a new name or names (in the case of expressions that return more than one column, such as explode). :param alias: strings of desired column names (collects all positional arguments passed) :param metadata: a dict of information to be stored in ``metadata`` attribute of the corresponding :class: `StructField` (optional, keyword only argument) .. versionchanged:: 2.2 Added optional ``metadata`` argument. >>> df.select(df.age.alias("age2")).collect() [Row(age2=2), Row(age2=5)] >>> df.select(df.age.alias("age3", metadata={'max': 99})).schema['age3'].metadata['max'] 99
[ "Returns", "this", "column", "aliased", "with", "a", "new", "name", "or", "names", "(", "in", "the", "case", "of", "expressions", "that", "return", "more", "than", "one", "column", "such", "as", "explode", ")", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L538-L570
apache/spark
python/pyspark/sql/column.py
Column.cast
def cast(self, dataType): """ Convert the column into type ``dataType``. >>> df.select(df.age.cast("string").alias('ages')).collect() [Row(ages=u'2'), Row(ages=u'5')] >>> df.select(df.age.cast(StringType()).alias('ages')).collect() [Row(ages=u'2'), Row(ages=u'5')] """ if isinstance(dataType, basestring): jc = self._jc.cast(dataType) elif isinstance(dataType, DataType): from pyspark.sql import SparkSession spark = SparkSession.builder.getOrCreate() jdt = spark._jsparkSession.parseDataType(dataType.json()) jc = self._jc.cast(jdt) else: raise TypeError("unexpected type: %s" % type(dataType)) return Column(jc)
python
def cast(self, dataType): """ Convert the column into type ``dataType``. >>> df.select(df.age.cast("string").alias('ages')).collect() [Row(ages=u'2'), Row(ages=u'5')] >>> df.select(df.age.cast(StringType()).alias('ages')).collect() [Row(ages=u'2'), Row(ages=u'5')] """ if isinstance(dataType, basestring): jc = self._jc.cast(dataType) elif isinstance(dataType, DataType): from pyspark.sql import SparkSession spark = SparkSession.builder.getOrCreate() jdt = spark._jsparkSession.parseDataType(dataType.json()) jc = self._jc.cast(jdt) else: raise TypeError("unexpected type: %s" % type(dataType)) return Column(jc)
[ "def", "cast", "(", "self", ",", "dataType", ")", ":", "if", "isinstance", "(", "dataType", ",", "basestring", ")", ":", "jc", "=", "self", ".", "_jc", ".", "cast", "(", "dataType", ")", "elif", "isinstance", "(", "dataType", ",", "DataType", ")", ":", "from", "pyspark", ".", "sql", "import", "SparkSession", "spark", "=", "SparkSession", ".", "builder", ".", "getOrCreate", "(", ")", "jdt", "=", "spark", ".", "_jsparkSession", ".", "parseDataType", "(", "dataType", ".", "json", "(", ")", ")", "jc", "=", "self", ".", "_jc", ".", "cast", "(", "jdt", ")", "else", ":", "raise", "TypeError", "(", "\"unexpected type: %s\"", "%", "type", "(", "dataType", ")", ")", "return", "Column", "(", "jc", ")" ]
Convert the column into type ``dataType``. >>> df.select(df.age.cast("string").alias('ages')).collect() [Row(ages=u'2'), Row(ages=u'5')] >>> df.select(df.age.cast(StringType()).alias('ages')).collect() [Row(ages=u'2'), Row(ages=u'5')]
[ "Convert", "the", "column", "into", "type", "dataType", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L576-L593
apache/spark
python/pyspark/sql/column.py
Column.when
def when(self, condition, value): """ Evaluates a list of conditions and returns one of multiple possible result expressions. If :func:`Column.otherwise` is not invoked, None is returned for unmatched conditions. See :func:`pyspark.sql.functions.when` for example usage. :param condition: a boolean :class:`Column` expression. :param value: a literal value, or a :class:`Column` expression. >>> from pyspark.sql import functions as F >>> df.select(df.name, F.when(df.age > 4, 1).when(df.age < 3, -1).otherwise(0)).show() +-----+------------------------------------------------------------+ | name|CASE WHEN (age > 4) THEN 1 WHEN (age < 3) THEN -1 ELSE 0 END| +-----+------------------------------------------------------------+ |Alice| -1| | Bob| 1| +-----+------------------------------------------------------------+ """ if not isinstance(condition, Column): raise TypeError("condition should be a Column") v = value._jc if isinstance(value, Column) else value jc = self._jc.when(condition._jc, v) return Column(jc)
python
def when(self, condition, value): """ Evaluates a list of conditions and returns one of multiple possible result expressions. If :func:`Column.otherwise` is not invoked, None is returned for unmatched conditions. See :func:`pyspark.sql.functions.when` for example usage. :param condition: a boolean :class:`Column` expression. :param value: a literal value, or a :class:`Column` expression. >>> from pyspark.sql import functions as F >>> df.select(df.name, F.when(df.age > 4, 1).when(df.age < 3, -1).otherwise(0)).show() +-----+------------------------------------------------------------+ | name|CASE WHEN (age > 4) THEN 1 WHEN (age < 3) THEN -1 ELSE 0 END| +-----+------------------------------------------------------------+ |Alice| -1| | Bob| 1| +-----+------------------------------------------------------------+ """ if not isinstance(condition, Column): raise TypeError("condition should be a Column") v = value._jc if isinstance(value, Column) else value jc = self._jc.when(condition._jc, v) return Column(jc)
[ "def", "when", "(", "self", ",", "condition", ",", "value", ")", ":", "if", "not", "isinstance", "(", "condition", ",", "Column", ")", ":", "raise", "TypeError", "(", "\"condition should be a Column\"", ")", "v", "=", "value", ".", "_jc", "if", "isinstance", "(", "value", ",", "Column", ")", "else", "value", "jc", "=", "self", ".", "_jc", ".", "when", "(", "condition", ".", "_jc", ",", "v", ")", "return", "Column", "(", "jc", ")" ]
Evaluates a list of conditions and returns one of multiple possible result expressions. If :func:`Column.otherwise` is not invoked, None is returned for unmatched conditions. See :func:`pyspark.sql.functions.when` for example usage. :param condition: a boolean :class:`Column` expression. :param value: a literal value, or a :class:`Column` expression. >>> from pyspark.sql import functions as F >>> df.select(df.name, F.when(df.age > 4, 1).when(df.age < 3, -1).otherwise(0)).show() +-----+------------------------------------------------------------+ | name|CASE WHEN (age > 4) THEN 1 WHEN (age < 3) THEN -1 ELSE 0 END| +-----+------------------------------------------------------------+ |Alice| -1| | Bob| 1| +-----+------------------------------------------------------------+
[ "Evaluates", "a", "list", "of", "conditions", "and", "returns", "one", "of", "multiple", "possible", "result", "expressions", ".", "If", ":", "func", ":", "Column", ".", "otherwise", "is", "not", "invoked", "None", "is", "returned", "for", "unmatched", "conditions", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L614-L637
apache/spark
python/pyspark/sql/column.py
Column.otherwise
def otherwise(self, value): """ Evaluates a list of conditions and returns one of multiple possible result expressions. If :func:`Column.otherwise` is not invoked, None is returned for unmatched conditions. See :func:`pyspark.sql.functions.when` for example usage. :param value: a literal value, or a :class:`Column` expression. >>> from pyspark.sql import functions as F >>> df.select(df.name, F.when(df.age > 3, 1).otherwise(0)).show() +-----+-------------------------------------+ | name|CASE WHEN (age > 3) THEN 1 ELSE 0 END| +-----+-------------------------------------+ |Alice| 0| | Bob| 1| +-----+-------------------------------------+ """ v = value._jc if isinstance(value, Column) else value jc = self._jc.otherwise(v) return Column(jc)
python
def otherwise(self, value): """ Evaluates a list of conditions and returns one of multiple possible result expressions. If :func:`Column.otherwise` is not invoked, None is returned for unmatched conditions. See :func:`pyspark.sql.functions.when` for example usage. :param value: a literal value, or a :class:`Column` expression. >>> from pyspark.sql import functions as F >>> df.select(df.name, F.when(df.age > 3, 1).otherwise(0)).show() +-----+-------------------------------------+ | name|CASE WHEN (age > 3) THEN 1 ELSE 0 END| +-----+-------------------------------------+ |Alice| 0| | Bob| 1| +-----+-------------------------------------+ """ v = value._jc if isinstance(value, Column) else value jc = self._jc.otherwise(v) return Column(jc)
[ "def", "otherwise", "(", "self", ",", "value", ")", ":", "v", "=", "value", ".", "_jc", "if", "isinstance", "(", "value", ",", "Column", ")", "else", "value", "jc", "=", "self", ".", "_jc", ".", "otherwise", "(", "v", ")", "return", "Column", "(", "jc", ")" ]
Evaluates a list of conditions and returns one of multiple possible result expressions. If :func:`Column.otherwise` is not invoked, None is returned for unmatched conditions. See :func:`pyspark.sql.functions.when` for example usage. :param value: a literal value, or a :class:`Column` expression. >>> from pyspark.sql import functions as F >>> df.select(df.name, F.when(df.age > 3, 1).otherwise(0)).show() +-----+-------------------------------------+ | name|CASE WHEN (age > 3) THEN 1 ELSE 0 END| +-----+-------------------------------------+ |Alice| 0| | Bob| 1| +-----+-------------------------------------+
[ "Evaluates", "a", "list", "of", "conditions", "and", "returns", "one", "of", "multiple", "possible", "result", "expressions", ".", "If", ":", "func", ":", "Column", ".", "otherwise", "is", "not", "invoked", "None", "is", "returned", "for", "unmatched", "conditions", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L640-L660
apache/spark
python/pyspark/sql/column.py
Column.over
def over(self, window): """ Define a windowing column. :param window: a :class:`WindowSpec` :return: a Column >>> from pyspark.sql import Window >>> window = Window.partitionBy("name").orderBy("age").rowsBetween(-1, 1) >>> from pyspark.sql.functions import rank, min >>> # df.select(rank().over(window), min('age').over(window)) """ from pyspark.sql.window import WindowSpec if not isinstance(window, WindowSpec): raise TypeError("window should be WindowSpec") jc = self._jc.over(window._jspec) return Column(jc)
python
def over(self, window): """ Define a windowing column. :param window: a :class:`WindowSpec` :return: a Column >>> from pyspark.sql import Window >>> window = Window.partitionBy("name").orderBy("age").rowsBetween(-1, 1) >>> from pyspark.sql.functions import rank, min >>> # df.select(rank().over(window), min('age').over(window)) """ from pyspark.sql.window import WindowSpec if not isinstance(window, WindowSpec): raise TypeError("window should be WindowSpec") jc = self._jc.over(window._jspec) return Column(jc)
[ "def", "over", "(", "self", ",", "window", ")", ":", "from", "pyspark", ".", "sql", ".", "window", "import", "WindowSpec", "if", "not", "isinstance", "(", "window", ",", "WindowSpec", ")", ":", "raise", "TypeError", "(", "\"window should be WindowSpec\"", ")", "jc", "=", "self", ".", "_jc", ".", "over", "(", "window", ".", "_jspec", ")", "return", "Column", "(", "jc", ")" ]
Define a windowing column. :param window: a :class:`WindowSpec` :return: a Column >>> from pyspark.sql import Window >>> window = Window.partitionBy("name").orderBy("age").rowsBetween(-1, 1) >>> from pyspark.sql.functions import rank, min >>> # df.select(rank().over(window), min('age').over(window))
[ "Define", "a", "windowing", "column", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/column.py#L663-L679
apache/spark
python/pyspark/mllib/feature.py
JavaVectorTransformer.transform
def transform(self, vector): """ Applies transformation on a vector or an RDD[Vector]. .. note:: In Python, transform cannot currently be used within an RDD transformation or action. Call transform directly on the RDD instead. :param vector: Vector or RDD of Vector to be transformed. """ if isinstance(vector, RDD): vector = vector.map(_convert_to_vector) else: vector = _convert_to_vector(vector) return self.call("transform", vector)
python
def transform(self, vector): """ Applies transformation on a vector or an RDD[Vector]. .. note:: In Python, transform cannot currently be used within an RDD transformation or action. Call transform directly on the RDD instead. :param vector: Vector or RDD of Vector to be transformed. """ if isinstance(vector, RDD): vector = vector.map(_convert_to_vector) else: vector = _convert_to_vector(vector) return self.call("transform", vector)
[ "def", "transform", "(", "self", ",", "vector", ")", ":", "if", "isinstance", "(", "vector", ",", "RDD", ")", ":", "vector", "=", "vector", ".", "map", "(", "_convert_to_vector", ")", "else", ":", "vector", "=", "_convert_to_vector", "(", "vector", ")", "return", "self", ".", "call", "(", "\"transform\"", ",", "vector", ")" ]
Applies transformation on a vector or an RDD[Vector]. .. note:: In Python, transform cannot currently be used within an RDD transformation or action. Call transform directly on the RDD instead. :param vector: Vector or RDD of Vector to be transformed.
[ "Applies", "transformation", "on", "a", "vector", "or", "an", "RDD", "[", "Vector", "]", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L111-L125
apache/spark
python/pyspark/mllib/feature.py
StandardScaler.fit
def fit(self, dataset): """ Computes the mean and variance and stores as a model to be used for later scaling. :param dataset: The data used to compute the mean and variance to build the transformation model. :return: a StandardScalarModel """ dataset = dataset.map(_convert_to_vector) jmodel = callMLlibFunc("fitStandardScaler", self.withMean, self.withStd, dataset) return StandardScalerModel(jmodel)
python
def fit(self, dataset): """ Computes the mean and variance and stores as a model to be used for later scaling. :param dataset: The data used to compute the mean and variance to build the transformation model. :return: a StandardScalarModel """ dataset = dataset.map(_convert_to_vector) jmodel = callMLlibFunc("fitStandardScaler", self.withMean, self.withStd, dataset) return StandardScalerModel(jmodel)
[ "def", "fit", "(", "self", ",", "dataset", ")", ":", "dataset", "=", "dataset", ".", "map", "(", "_convert_to_vector", ")", "jmodel", "=", "callMLlibFunc", "(", "\"fitStandardScaler\"", ",", "self", ".", "withMean", ",", "self", ".", "withStd", ",", "dataset", ")", "return", "StandardScalerModel", "(", "jmodel", ")" ]
Computes the mean and variance and stores as a model to be used for later scaling. :param dataset: The data used to compute the mean and variance to build the transformation model. :return: a StandardScalarModel
[ "Computes", "the", "mean", "and", "variance", "and", "stores", "as", "a", "model", "to", "be", "used", "for", "later", "scaling", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L240-L251
apache/spark
python/pyspark/mllib/feature.py
ChiSqSelector.fit
def fit(self, data): """ Returns a ChiSquared feature selector. :param data: an `RDD[LabeledPoint]` containing the labeled dataset with categorical features. Real-valued features will be treated as categorical for each distinct value. Apply feature discretizer before using this function. """ jmodel = callMLlibFunc("fitChiSqSelector", self.selectorType, self.numTopFeatures, self.percentile, self.fpr, self.fdr, self.fwe, data) return ChiSqSelectorModel(jmodel)
python
def fit(self, data): """ Returns a ChiSquared feature selector. :param data: an `RDD[LabeledPoint]` containing the labeled dataset with categorical features. Real-valued features will be treated as categorical for each distinct value. Apply feature discretizer before using this function. """ jmodel = callMLlibFunc("fitChiSqSelector", self.selectorType, self.numTopFeatures, self.percentile, self.fpr, self.fdr, self.fwe, data) return ChiSqSelectorModel(jmodel)
[ "def", "fit", "(", "self", ",", "data", ")", ":", "jmodel", "=", "callMLlibFunc", "(", "\"fitChiSqSelector\"", ",", "self", ".", "selectorType", ",", "self", ".", "numTopFeatures", ",", "self", ".", "percentile", ",", "self", ".", "fpr", ",", "self", ".", "fdr", ",", "self", ".", "fwe", ",", "data", ")", "return", "ChiSqSelectorModel", "(", "jmodel", ")" ]
Returns a ChiSquared feature selector. :param data: an `RDD[LabeledPoint]` containing the labeled dataset with categorical features. Real-valued features will be treated as categorical for each distinct value. Apply feature discretizer before using this function.
[ "Returns", "a", "ChiSquared", "feature", "selector", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L383-L394
apache/spark
python/pyspark/mllib/feature.py
PCA.fit
def fit(self, data): """ Computes a [[PCAModel]] that contains the principal components of the input vectors. :param data: source vectors """ jmodel = callMLlibFunc("fitPCA", self.k, data) return PCAModel(jmodel)
python
def fit(self, data): """ Computes a [[PCAModel]] that contains the principal components of the input vectors. :param data: source vectors """ jmodel = callMLlibFunc("fitPCA", self.k, data) return PCAModel(jmodel)
[ "def", "fit", "(", "self", ",", "data", ")", ":", "jmodel", "=", "callMLlibFunc", "(", "\"fitPCA\"", ",", "self", ".", "k", ",", "data", ")", "return", "PCAModel", "(", "jmodel", ")" ]
Computes a [[PCAModel]] that contains the principal components of the input vectors. :param data: source vectors
[ "Computes", "a", "[[", "PCAModel", "]]", "that", "contains", "the", "principal", "components", "of", "the", "input", "vectors", ".", ":", "param", "data", ":", "source", "vectors" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L428-L434
apache/spark
python/pyspark/mllib/feature.py
HashingTF.transform
def transform(self, document): """ Transforms the input document (list of terms) to term frequency vectors, or transform the RDD of document to RDD of term frequency vectors. """ if isinstance(document, RDD): return document.map(self.transform) freq = {} for term in document: i = self.indexOf(term) freq[i] = 1.0 if self.binary else freq.get(i, 0) + 1.0 return Vectors.sparse(self.numFeatures, freq.items())
python
def transform(self, document): """ Transforms the input document (list of terms) to term frequency vectors, or transform the RDD of document to RDD of term frequency vectors. """ if isinstance(document, RDD): return document.map(self.transform) freq = {} for term in document: i = self.indexOf(term) freq[i] = 1.0 if self.binary else freq.get(i, 0) + 1.0 return Vectors.sparse(self.numFeatures, freq.items())
[ "def", "transform", "(", "self", ",", "document", ")", ":", "if", "isinstance", "(", "document", ",", "RDD", ")", ":", "return", "document", ".", "map", "(", "self", ".", "transform", ")", "freq", "=", "{", "}", "for", "term", "in", "document", ":", "i", "=", "self", ".", "indexOf", "(", "term", ")", "freq", "[", "i", "]", "=", "1.0", "if", "self", ".", "binary", "else", "freq", ".", "get", "(", "i", ",", "0", ")", "+", "1.0", "return", "Vectors", ".", "sparse", "(", "self", ".", "numFeatures", ",", "freq", ".", "items", "(", ")", ")" ]
Transforms the input document (list of terms) to term frequency vectors, or transform the RDD of document to RDD of term frequency vectors.
[ "Transforms", "the", "input", "document", "(", "list", "of", "terms", ")", "to", "term", "frequency", "vectors", "or", "transform", "the", "RDD", "of", "document", "to", "RDD", "of", "term", "frequency", "vectors", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L473-L486
apache/spark
python/pyspark/mllib/feature.py
IDF.fit
def fit(self, dataset): """ Computes the inverse document frequency. :param dataset: an RDD of term frequency vectors """ if not isinstance(dataset, RDD): raise TypeError("dataset should be an RDD of term frequency vectors") jmodel = callMLlibFunc("fitIDF", self.minDocFreq, dataset.map(_convert_to_vector)) return IDFModel(jmodel)
python
def fit(self, dataset): """ Computes the inverse document frequency. :param dataset: an RDD of term frequency vectors """ if not isinstance(dataset, RDD): raise TypeError("dataset should be an RDD of term frequency vectors") jmodel = callMLlibFunc("fitIDF", self.minDocFreq, dataset.map(_convert_to_vector)) return IDFModel(jmodel)
[ "def", "fit", "(", "self", ",", "dataset", ")", ":", "if", "not", "isinstance", "(", "dataset", ",", "RDD", ")", ":", "raise", "TypeError", "(", "\"dataset should be an RDD of term frequency vectors\"", ")", "jmodel", "=", "callMLlibFunc", "(", "\"fitIDF\"", ",", "self", ".", "minDocFreq", ",", "dataset", ".", "map", "(", "_convert_to_vector", ")", ")", "return", "IDFModel", "(", "jmodel", ")" ]
Computes the inverse document frequency. :param dataset: an RDD of term frequency vectors
[ "Computes", "the", "inverse", "document", "frequency", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L577-L586
apache/spark
python/pyspark/mllib/feature.py
Word2VecModel.findSynonyms
def findSynonyms(self, word, num): """ Find synonyms of a word :param word: a word or a vector representation of word :param num: number of synonyms to find :return: array of (word, cosineSimilarity) .. note:: Local use only """ if not isinstance(word, basestring): word = _convert_to_vector(word) words, similarity = self.call("findSynonyms", word, num) return zip(words, similarity)
python
def findSynonyms(self, word, num): """ Find synonyms of a word :param word: a word or a vector representation of word :param num: number of synonyms to find :return: array of (word, cosineSimilarity) .. note:: Local use only """ if not isinstance(word, basestring): word = _convert_to_vector(word) words, similarity = self.call("findSynonyms", word, num) return zip(words, similarity)
[ "def", "findSynonyms", "(", "self", ",", "word", ",", "num", ")", ":", "if", "not", "isinstance", "(", "word", ",", "basestring", ")", ":", "word", "=", "_convert_to_vector", "(", "word", ")", "words", ",", "similarity", "=", "self", ".", "call", "(", "\"findSynonyms\"", ",", "word", ",", "num", ")", "return", "zip", "(", "words", ",", "similarity", ")" ]
Find synonyms of a word :param word: a word or a vector representation of word :param num: number of synonyms to find :return: array of (word, cosineSimilarity) .. note:: Local use only
[ "Find", "synonyms", "of", "a", "word" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L611-L624
apache/spark
python/pyspark/mllib/feature.py
Word2VecModel.load
def load(cls, sc, path): """ Load a model from the given path. """ jmodel = sc._jvm.org.apache.spark.mllib.feature \ .Word2VecModel.load(sc._jsc.sc(), path) model = sc._jvm.org.apache.spark.mllib.api.python.Word2VecModelWrapper(jmodel) return Word2VecModel(model)
python
def load(cls, sc, path): """ Load a model from the given path. """ jmodel = sc._jvm.org.apache.spark.mllib.feature \ .Word2VecModel.load(sc._jsc.sc(), path) model = sc._jvm.org.apache.spark.mllib.api.python.Word2VecModelWrapper(jmodel) return Word2VecModel(model)
[ "def", "load", "(", "cls", ",", "sc", ",", "path", ")", ":", "jmodel", "=", "sc", ".", "_jvm", ".", "org", ".", "apache", ".", "spark", ".", "mllib", ".", "feature", ".", "Word2VecModel", ".", "load", "(", "sc", ".", "_jsc", ".", "sc", "(", ")", ",", "path", ")", "model", "=", "sc", ".", "_jvm", ".", "org", ".", "apache", ".", "spark", ".", "mllib", ".", "api", ".", "python", ".", "Word2VecModelWrapper", "(", "jmodel", ")", "return", "Word2VecModel", "(", "model", ")" ]
Load a model from the given path.
[ "Load", "a", "model", "from", "the", "given", "path", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L635-L642
apache/spark
python/pyspark/mllib/feature.py
ElementwiseProduct.transform
def transform(self, vector): """ Computes the Hadamard product of the vector. """ if isinstance(vector, RDD): vector = vector.map(_convert_to_vector) else: vector = _convert_to_vector(vector) return callMLlibFunc("elementwiseProductVector", self.scalingVector, vector)
python
def transform(self, vector): """ Computes the Hadamard product of the vector. """ if isinstance(vector, RDD): vector = vector.map(_convert_to_vector) else: vector = _convert_to_vector(vector) return callMLlibFunc("elementwiseProductVector", self.scalingVector, vector)
[ "def", "transform", "(", "self", ",", "vector", ")", ":", "if", "isinstance", "(", "vector", ",", "RDD", ")", ":", "vector", "=", "vector", ".", "map", "(", "_convert_to_vector", ")", "else", ":", "vector", "=", "_convert_to_vector", "(", "vector", ")", "return", "callMLlibFunc", "(", "\"elementwiseProductVector\"", ",", "self", ".", "scalingVector", ",", "vector", ")" ]
Computes the Hadamard product of the vector.
[ "Computes", "the", "Hadamard", "product", "of", "the", "vector", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/feature.py#L810-L819
apache/spark
python/pyspark/mllib/tree.py
TreeEnsembleModel.predict
def predict(self, x): """ Predict values for a single data point or an RDD of points using the model trained. .. note:: In Python, predict cannot currently be used within an RDD transformation or action. Call predict directly on the RDD instead. """ if isinstance(x, RDD): return self.call("predict", x.map(_convert_to_vector)) else: return self.call("predict", _convert_to_vector(x))
python
def predict(self, x): """ Predict values for a single data point or an RDD of points using the model trained. .. note:: In Python, predict cannot currently be used within an RDD transformation or action. Call predict directly on the RDD instead. """ if isinstance(x, RDD): return self.call("predict", x.map(_convert_to_vector)) else: return self.call("predict", _convert_to_vector(x))
[ "def", "predict", "(", "self", ",", "x", ")", ":", "if", "isinstance", "(", "x", ",", "RDD", ")", ":", "return", "self", ".", "call", "(", "\"predict\"", ",", "x", ".", "map", "(", "_convert_to_vector", ")", ")", "else", ":", "return", "self", ".", "call", "(", "\"predict\"", ",", "_convert_to_vector", "(", "x", ")", ")" ]
Predict values for a single data point or an RDD of points using the model trained. .. note:: In Python, predict cannot currently be used within an RDD transformation or action. Call predict directly on the RDD instead.
[ "Predict", "values", "for", "a", "single", "data", "point", "or", "an", "RDD", "of", "points", "using", "the", "model", "trained", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/tree.py#L39-L52
apache/spark
python/pyspark/mllib/tree.py
DecisionTree.trainClassifier
def trainClassifier(cls, data, numClasses, categoricalFeaturesInfo, impurity="gini", maxDepth=5, maxBins=32, minInstancesPerNode=1, minInfoGain=0.0): """ Train a decision tree model for classification. :param data: Training data: RDD of LabeledPoint. Labels should take values {0, 1, ..., numClasses-1}. :param numClasses: Number of classes for classification. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param impurity: Criterion used for information gain calculation. Supported values: "gini" or "entropy". (default: "gini") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 5) :param maxBins: Number of bins used for finding splits at each node. (default: 32) :param minInstancesPerNode: Minimum number of instances required at child nodes to create the parent split. (default: 1) :param minInfoGain: Minimum info gain required to create a split. (default: 0.0) :return: DecisionTreeModel. Example usage: >>> from numpy import array >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import DecisionTree >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(1.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> model = DecisionTree.trainClassifier(sc.parallelize(data), 2, {}) >>> print(model) DecisionTreeModel classifier of depth 1 with 3 nodes >>> print(model.toDebugString()) DecisionTreeModel classifier of depth 1 with 3 nodes If (feature 0 <= 0.5) Predict: 0.0 Else (feature 0 > 0.5) Predict: 1.0 <BLANKLINE> >>> model.predict(array([1.0])) 1.0 >>> model.predict(array([0.0])) 0.0 >>> rdd = sc.parallelize([[1.0], [0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "classification", numClasses, categoricalFeaturesInfo, impurity, maxDepth, maxBins, minInstancesPerNode, minInfoGain)
python
def trainClassifier(cls, data, numClasses, categoricalFeaturesInfo, impurity="gini", maxDepth=5, maxBins=32, minInstancesPerNode=1, minInfoGain=0.0): """ Train a decision tree model for classification. :param data: Training data: RDD of LabeledPoint. Labels should take values {0, 1, ..., numClasses-1}. :param numClasses: Number of classes for classification. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param impurity: Criterion used for information gain calculation. Supported values: "gini" or "entropy". (default: "gini") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 5) :param maxBins: Number of bins used for finding splits at each node. (default: 32) :param minInstancesPerNode: Minimum number of instances required at child nodes to create the parent split. (default: 1) :param minInfoGain: Minimum info gain required to create a split. (default: 0.0) :return: DecisionTreeModel. Example usage: >>> from numpy import array >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import DecisionTree >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(1.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> model = DecisionTree.trainClassifier(sc.parallelize(data), 2, {}) >>> print(model) DecisionTreeModel classifier of depth 1 with 3 nodes >>> print(model.toDebugString()) DecisionTreeModel classifier of depth 1 with 3 nodes If (feature 0 <= 0.5) Predict: 0.0 Else (feature 0 > 0.5) Predict: 1.0 <BLANKLINE> >>> model.predict(array([1.0])) 1.0 >>> model.predict(array([0.0])) 0.0 >>> rdd = sc.parallelize([[1.0], [0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "classification", numClasses, categoricalFeaturesInfo, impurity, maxDepth, maxBins, minInstancesPerNode, minInfoGain)
[ "def", "trainClassifier", "(", "cls", ",", "data", ",", "numClasses", ",", "categoricalFeaturesInfo", ",", "impurity", "=", "\"gini\"", ",", "maxDepth", "=", "5", ",", "maxBins", "=", "32", ",", "minInstancesPerNode", "=", "1", ",", "minInfoGain", "=", "0.0", ")", ":", "return", "cls", ".", "_train", "(", "data", ",", "\"classification\"", ",", "numClasses", ",", "categoricalFeaturesInfo", ",", "impurity", ",", "maxDepth", ",", "maxBins", ",", "minInstancesPerNode", ",", "minInfoGain", ")" ]
Train a decision tree model for classification. :param data: Training data: RDD of LabeledPoint. Labels should take values {0, 1, ..., numClasses-1}. :param numClasses: Number of classes for classification. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param impurity: Criterion used for information gain calculation. Supported values: "gini" or "entropy". (default: "gini") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 5) :param maxBins: Number of bins used for finding splits at each node. (default: 32) :param minInstancesPerNode: Minimum number of instances required at child nodes to create the parent split. (default: 1) :param minInfoGain: Minimum info gain required to create a split. (default: 0.0) :return: DecisionTreeModel. Example usage: >>> from numpy import array >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import DecisionTree >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(1.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> model = DecisionTree.trainClassifier(sc.parallelize(data), 2, {}) >>> print(model) DecisionTreeModel classifier of depth 1 with 3 nodes >>> print(model.toDebugString()) DecisionTreeModel classifier of depth 1 with 3 nodes If (feature 0 <= 0.5) Predict: 0.0 Else (feature 0 > 0.5) Predict: 1.0 <BLANKLINE> >>> model.predict(array([1.0])) 1.0 >>> model.predict(array([0.0])) 0.0 >>> rdd = sc.parallelize([[1.0], [0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0]
[ "Train", "a", "decision", "tree", "model", "for", "classification", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/tree.py#L149-L217
apache/spark
python/pyspark/mllib/tree.py
DecisionTree.trainRegressor
def trainRegressor(cls, data, categoricalFeaturesInfo, impurity="variance", maxDepth=5, maxBins=32, minInstancesPerNode=1, minInfoGain=0.0): """ Train a decision tree model for regression. :param data: Training data: RDD of LabeledPoint. Labels are real numbers. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param impurity: Criterion used for information gain calculation. The only supported value for regression is "variance". (default: "variance") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 5) :param maxBins: Number of bins used for finding splits at each node. (default: 32) :param minInstancesPerNode: Minimum number of instances required at child nodes to create the parent split. (default: 1) :param minInfoGain: Minimum info gain required to create a split. (default: 0.0) :return: DecisionTreeModel. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import DecisionTree >>> from pyspark.mllib.linalg import SparseVector >>> >>> sparse_data = [ ... LabeledPoint(0.0, SparseVector(2, {0: 0.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 1.0})), ... LabeledPoint(0.0, SparseVector(2, {0: 0.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 2.0})) ... ] >>> >>> model = DecisionTree.trainRegressor(sc.parallelize(sparse_data), {}) >>> model.predict(SparseVector(2, {1: 1.0})) 1.0 >>> model.predict(SparseVector(2, {1: 0.0})) 0.0 >>> rdd = sc.parallelize([[0.0, 1.0], [0.0, 0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "regression", 0, categoricalFeaturesInfo, impurity, maxDepth, maxBins, minInstancesPerNode, minInfoGain)
python
def trainRegressor(cls, data, categoricalFeaturesInfo, impurity="variance", maxDepth=5, maxBins=32, minInstancesPerNode=1, minInfoGain=0.0): """ Train a decision tree model for regression. :param data: Training data: RDD of LabeledPoint. Labels are real numbers. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param impurity: Criterion used for information gain calculation. The only supported value for regression is "variance". (default: "variance") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 5) :param maxBins: Number of bins used for finding splits at each node. (default: 32) :param minInstancesPerNode: Minimum number of instances required at child nodes to create the parent split. (default: 1) :param minInfoGain: Minimum info gain required to create a split. (default: 0.0) :return: DecisionTreeModel. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import DecisionTree >>> from pyspark.mllib.linalg import SparseVector >>> >>> sparse_data = [ ... LabeledPoint(0.0, SparseVector(2, {0: 0.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 1.0})), ... LabeledPoint(0.0, SparseVector(2, {0: 0.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 2.0})) ... ] >>> >>> model = DecisionTree.trainRegressor(sc.parallelize(sparse_data), {}) >>> model.predict(SparseVector(2, {1: 1.0})) 1.0 >>> model.predict(SparseVector(2, {1: 0.0})) 0.0 >>> rdd = sc.parallelize([[0.0, 1.0], [0.0, 0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "regression", 0, categoricalFeaturesInfo, impurity, maxDepth, maxBins, minInstancesPerNode, minInfoGain)
[ "def", "trainRegressor", "(", "cls", ",", "data", ",", "categoricalFeaturesInfo", ",", "impurity", "=", "\"variance\"", ",", "maxDepth", "=", "5", ",", "maxBins", "=", "32", ",", "minInstancesPerNode", "=", "1", ",", "minInfoGain", "=", "0.0", ")", ":", "return", "cls", ".", "_train", "(", "data", ",", "\"regression\"", ",", "0", ",", "categoricalFeaturesInfo", ",", "impurity", ",", "maxDepth", ",", "maxBins", ",", "minInstancesPerNode", ",", "minInfoGain", ")" ]
Train a decision tree model for regression. :param data: Training data: RDD of LabeledPoint. Labels are real numbers. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param impurity: Criterion used for information gain calculation. The only supported value for regression is "variance". (default: "variance") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 5) :param maxBins: Number of bins used for finding splits at each node. (default: 32) :param minInstancesPerNode: Minimum number of instances required at child nodes to create the parent split. (default: 1) :param minInfoGain: Minimum info gain required to create a split. (default: 0.0) :return: DecisionTreeModel. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import DecisionTree >>> from pyspark.mllib.linalg import SparseVector >>> >>> sparse_data = [ ... LabeledPoint(0.0, SparseVector(2, {0: 0.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 1.0})), ... LabeledPoint(0.0, SparseVector(2, {0: 0.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 2.0})) ... ] >>> >>> model = DecisionTree.trainRegressor(sc.parallelize(sparse_data), {}) >>> model.predict(SparseVector(2, {1: 1.0})) 1.0 >>> model.predict(SparseVector(2, {1: 0.0})) 0.0 >>> rdd = sc.parallelize([[0.0, 1.0], [0.0, 0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0]
[ "Train", "a", "decision", "tree", "model", "for", "regression", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/tree.py#L221-L277
apache/spark
python/pyspark/mllib/tree.py
RandomForest.trainClassifier
def trainClassifier(cls, data, numClasses, categoricalFeaturesInfo, numTrees, featureSubsetStrategy="auto", impurity="gini", maxDepth=4, maxBins=32, seed=None): """ Train a random forest model for binary or multiclass classification. :param data: Training dataset: RDD of LabeledPoint. Labels should take values {0, 1, ..., numClasses-1}. :param numClasses: Number of classes for classification. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param numTrees: Number of trees in the random forest. :param featureSubsetStrategy: Number of features to consider for splits at each node. Supported values: "auto", "all", "sqrt", "log2", "onethird". If "auto" is set, this parameter is set based on numTrees: if numTrees == 1, set to "all"; if numTrees > 1 (forest) set to "sqrt". (default: "auto") :param impurity: Criterion used for information gain calculation. Supported values: "gini" or "entropy". (default: "gini") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 4) :param maxBins: Maximum number of bins used for splitting features. (default: 32) :param seed: Random seed for bootstrapping and choosing feature subsets. Set as None to generate seed based on system time. (default: None) :return: RandomForestModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import RandomForest >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(0.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> model = RandomForest.trainClassifier(sc.parallelize(data), 2, {}, 3, seed=42) >>> model.numTrees() 3 >>> model.totalNumNodes() 7 >>> print(model) TreeEnsembleModel classifier with 3 trees <BLANKLINE> >>> print(model.toDebugString()) TreeEnsembleModel classifier with 3 trees <BLANKLINE> Tree 0: Predict: 1.0 Tree 1: If (feature 0 <= 1.5) Predict: 0.0 Else (feature 0 > 1.5) Predict: 1.0 Tree 2: If (feature 0 <= 1.5) Predict: 0.0 Else (feature 0 > 1.5) Predict: 1.0 <BLANKLINE> >>> model.predict([2.0]) 1.0 >>> model.predict([0.0]) 0.0 >>> rdd = sc.parallelize([[3.0], [1.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "classification", numClasses, categoricalFeaturesInfo, numTrees, featureSubsetStrategy, impurity, maxDepth, maxBins, seed)
python
def trainClassifier(cls, data, numClasses, categoricalFeaturesInfo, numTrees, featureSubsetStrategy="auto", impurity="gini", maxDepth=4, maxBins=32, seed=None): """ Train a random forest model for binary or multiclass classification. :param data: Training dataset: RDD of LabeledPoint. Labels should take values {0, 1, ..., numClasses-1}. :param numClasses: Number of classes for classification. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param numTrees: Number of trees in the random forest. :param featureSubsetStrategy: Number of features to consider for splits at each node. Supported values: "auto", "all", "sqrt", "log2", "onethird". If "auto" is set, this parameter is set based on numTrees: if numTrees == 1, set to "all"; if numTrees > 1 (forest) set to "sqrt". (default: "auto") :param impurity: Criterion used for information gain calculation. Supported values: "gini" or "entropy". (default: "gini") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 4) :param maxBins: Maximum number of bins used for splitting features. (default: 32) :param seed: Random seed for bootstrapping and choosing feature subsets. Set as None to generate seed based on system time. (default: None) :return: RandomForestModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import RandomForest >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(0.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> model = RandomForest.trainClassifier(sc.parallelize(data), 2, {}, 3, seed=42) >>> model.numTrees() 3 >>> model.totalNumNodes() 7 >>> print(model) TreeEnsembleModel classifier with 3 trees <BLANKLINE> >>> print(model.toDebugString()) TreeEnsembleModel classifier with 3 trees <BLANKLINE> Tree 0: Predict: 1.0 Tree 1: If (feature 0 <= 1.5) Predict: 0.0 Else (feature 0 > 1.5) Predict: 1.0 Tree 2: If (feature 0 <= 1.5) Predict: 0.0 Else (feature 0 > 1.5) Predict: 1.0 <BLANKLINE> >>> model.predict([2.0]) 1.0 >>> model.predict([0.0]) 0.0 >>> rdd = sc.parallelize([[3.0], [1.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "classification", numClasses, categoricalFeaturesInfo, numTrees, featureSubsetStrategy, impurity, maxDepth, maxBins, seed)
[ "def", "trainClassifier", "(", "cls", ",", "data", ",", "numClasses", ",", "categoricalFeaturesInfo", ",", "numTrees", ",", "featureSubsetStrategy", "=", "\"auto\"", ",", "impurity", "=", "\"gini\"", ",", "maxDepth", "=", "4", ",", "maxBins", "=", "32", ",", "seed", "=", "None", ")", ":", "return", "cls", ".", "_train", "(", "data", ",", "\"classification\"", ",", "numClasses", ",", "categoricalFeaturesInfo", ",", "numTrees", ",", "featureSubsetStrategy", ",", "impurity", ",", "maxDepth", ",", "maxBins", ",", "seed", ")" ]
Train a random forest model for binary or multiclass classification. :param data: Training dataset: RDD of LabeledPoint. Labels should take values {0, 1, ..., numClasses-1}. :param numClasses: Number of classes for classification. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param numTrees: Number of trees in the random forest. :param featureSubsetStrategy: Number of features to consider for splits at each node. Supported values: "auto", "all", "sqrt", "log2", "onethird". If "auto" is set, this parameter is set based on numTrees: if numTrees == 1, set to "all"; if numTrees > 1 (forest) set to "sqrt". (default: "auto") :param impurity: Criterion used for information gain calculation. Supported values: "gini" or "entropy". (default: "gini") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 4) :param maxBins: Maximum number of bins used for splitting features. (default: 32) :param seed: Random seed for bootstrapping and choosing feature subsets. Set as None to generate seed based on system time. (default: None) :return: RandomForestModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import RandomForest >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(0.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> model = RandomForest.trainClassifier(sc.parallelize(data), 2, {}, 3, seed=42) >>> model.numTrees() 3 >>> model.totalNumNodes() 7 >>> print(model) TreeEnsembleModel classifier with 3 trees <BLANKLINE> >>> print(model.toDebugString()) TreeEnsembleModel classifier with 3 trees <BLANKLINE> Tree 0: Predict: 1.0 Tree 1: If (feature 0 <= 1.5) Predict: 0.0 Else (feature 0 > 1.5) Predict: 1.0 Tree 2: If (feature 0 <= 1.5) Predict: 0.0 Else (feature 0 > 1.5) Predict: 1.0 <BLANKLINE> >>> model.predict([2.0]) 1.0 >>> model.predict([0.0]) 0.0 >>> rdd = sc.parallelize([[3.0], [1.0]]) >>> model.predict(rdd).collect() [1.0, 0.0]
[ "Train", "a", "random", "forest", "model", "for", "binary", "or", "multiclass", "classification", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/tree.py#L319-L407
apache/spark
python/pyspark/mllib/tree.py
RandomForest.trainRegressor
def trainRegressor(cls, data, categoricalFeaturesInfo, numTrees, featureSubsetStrategy="auto", impurity="variance", maxDepth=4, maxBins=32, seed=None): """ Train a random forest model for regression. :param data: Training dataset: RDD of LabeledPoint. Labels are real numbers. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param numTrees: Number of trees in the random forest. :param featureSubsetStrategy: Number of features to consider for splits at each node. Supported values: "auto", "all", "sqrt", "log2", "onethird". If "auto" is set, this parameter is set based on numTrees: if numTrees == 1, set to "all"; if numTrees > 1 (forest) set to "onethird" for regression. (default: "auto") :param impurity: Criterion used for information gain calculation. The only supported value for regression is "variance". (default: "variance") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 4) :param maxBins: Maximum number of bins used for splitting features. (default: 32) :param seed: Random seed for bootstrapping and choosing feature subsets. Set as None to generate seed based on system time. (default: None) :return: RandomForestModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import RandomForest >>> from pyspark.mllib.linalg import SparseVector >>> >>> sparse_data = [ ... LabeledPoint(0.0, SparseVector(2, {0: 1.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 1.0})), ... LabeledPoint(0.0, SparseVector(2, {0: 1.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 2.0})) ... ] >>> >>> model = RandomForest.trainRegressor(sc.parallelize(sparse_data), {}, 2, seed=42) >>> model.numTrees() 2 >>> model.totalNumNodes() 4 >>> model.predict(SparseVector(2, {1: 1.0})) 1.0 >>> model.predict(SparseVector(2, {0: 1.0})) 0.5 >>> rdd = sc.parallelize([[0.0, 1.0], [1.0, 0.0]]) >>> model.predict(rdd).collect() [1.0, 0.5] """ return cls._train(data, "regression", 0, categoricalFeaturesInfo, numTrees, featureSubsetStrategy, impurity, maxDepth, maxBins, seed)
python
def trainRegressor(cls, data, categoricalFeaturesInfo, numTrees, featureSubsetStrategy="auto", impurity="variance", maxDepth=4, maxBins=32, seed=None): """ Train a random forest model for regression. :param data: Training dataset: RDD of LabeledPoint. Labels are real numbers. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param numTrees: Number of trees in the random forest. :param featureSubsetStrategy: Number of features to consider for splits at each node. Supported values: "auto", "all", "sqrt", "log2", "onethird". If "auto" is set, this parameter is set based on numTrees: if numTrees == 1, set to "all"; if numTrees > 1 (forest) set to "onethird" for regression. (default: "auto") :param impurity: Criterion used for information gain calculation. The only supported value for regression is "variance". (default: "variance") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 4) :param maxBins: Maximum number of bins used for splitting features. (default: 32) :param seed: Random seed for bootstrapping and choosing feature subsets. Set as None to generate seed based on system time. (default: None) :return: RandomForestModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import RandomForest >>> from pyspark.mllib.linalg import SparseVector >>> >>> sparse_data = [ ... LabeledPoint(0.0, SparseVector(2, {0: 1.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 1.0})), ... LabeledPoint(0.0, SparseVector(2, {0: 1.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 2.0})) ... ] >>> >>> model = RandomForest.trainRegressor(sc.parallelize(sparse_data), {}, 2, seed=42) >>> model.numTrees() 2 >>> model.totalNumNodes() 4 >>> model.predict(SparseVector(2, {1: 1.0})) 1.0 >>> model.predict(SparseVector(2, {0: 1.0})) 0.5 >>> rdd = sc.parallelize([[0.0, 1.0], [1.0, 0.0]]) >>> model.predict(rdd).collect() [1.0, 0.5] """ return cls._train(data, "regression", 0, categoricalFeaturesInfo, numTrees, featureSubsetStrategy, impurity, maxDepth, maxBins, seed)
[ "def", "trainRegressor", "(", "cls", ",", "data", ",", "categoricalFeaturesInfo", ",", "numTrees", ",", "featureSubsetStrategy", "=", "\"auto\"", ",", "impurity", "=", "\"variance\"", ",", "maxDepth", "=", "4", ",", "maxBins", "=", "32", ",", "seed", "=", "None", ")", ":", "return", "cls", ".", "_train", "(", "data", ",", "\"regression\"", ",", "0", ",", "categoricalFeaturesInfo", ",", "numTrees", ",", "featureSubsetStrategy", ",", "impurity", ",", "maxDepth", ",", "maxBins", ",", "seed", ")" ]
Train a random forest model for regression. :param data: Training dataset: RDD of LabeledPoint. Labels are real numbers. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param numTrees: Number of trees in the random forest. :param featureSubsetStrategy: Number of features to consider for splits at each node. Supported values: "auto", "all", "sqrt", "log2", "onethird". If "auto" is set, this parameter is set based on numTrees: if numTrees == 1, set to "all"; if numTrees > 1 (forest) set to "onethird" for regression. (default: "auto") :param impurity: Criterion used for information gain calculation. The only supported value for regression is "variance". (default: "variance") :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 4) :param maxBins: Maximum number of bins used for splitting features. (default: 32) :param seed: Random seed for bootstrapping and choosing feature subsets. Set as None to generate seed based on system time. (default: None) :return: RandomForestModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import RandomForest >>> from pyspark.mllib.linalg import SparseVector >>> >>> sparse_data = [ ... LabeledPoint(0.0, SparseVector(2, {0: 1.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 1.0})), ... LabeledPoint(0.0, SparseVector(2, {0: 1.0})), ... LabeledPoint(1.0, SparseVector(2, {1: 2.0})) ... ] >>> >>> model = RandomForest.trainRegressor(sc.parallelize(sparse_data), {}, 2, seed=42) >>> model.numTrees() 2 >>> model.totalNumNodes() 4 >>> model.predict(SparseVector(2, {1: 1.0})) 1.0 >>> model.predict(SparseVector(2, {0: 1.0})) 0.5 >>> rdd = sc.parallelize([[0.0, 1.0], [1.0, 0.0]]) >>> model.predict(rdd).collect() [1.0, 0.5]
[ "Train", "a", "random", "forest", "model", "for", "regression", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/tree.py#L411-L476
apache/spark
python/pyspark/mllib/tree.py
GradientBoostedTrees.trainClassifier
def trainClassifier(cls, data, categoricalFeaturesInfo, loss="logLoss", numIterations=100, learningRate=0.1, maxDepth=3, maxBins=32): """ Train a gradient-boosted trees model for classification. :param data: Training dataset: RDD of LabeledPoint. Labels should take values {0, 1}. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param loss: Loss function used for minimization during gradient boosting. Supported values: "logLoss", "leastSquaresError", "leastAbsoluteError". (default: "logLoss") :param numIterations: Number of iterations of boosting. (default: 100) :param learningRate: Learning rate for shrinking the contribution of each estimator. The learning rate should be between in the interval (0, 1]. (default: 0.1) :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 3) :param maxBins: Maximum number of bins used for splitting features. DecisionTree requires maxBins >= max categories. (default: 32) :return: GradientBoostedTreesModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import GradientBoostedTrees >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(0.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> >>> model = GradientBoostedTrees.trainClassifier(sc.parallelize(data), {}, numIterations=10) >>> model.numTrees() 10 >>> model.totalNumNodes() 30 >>> print(model) # it already has newline TreeEnsembleModel classifier with 10 trees <BLANKLINE> >>> model.predict([2.0]) 1.0 >>> model.predict([0.0]) 0.0 >>> rdd = sc.parallelize([[2.0], [0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "classification", categoricalFeaturesInfo, loss, numIterations, learningRate, maxDepth, maxBins)
python
def trainClassifier(cls, data, categoricalFeaturesInfo, loss="logLoss", numIterations=100, learningRate=0.1, maxDepth=3, maxBins=32): """ Train a gradient-boosted trees model for classification. :param data: Training dataset: RDD of LabeledPoint. Labels should take values {0, 1}. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param loss: Loss function used for minimization during gradient boosting. Supported values: "logLoss", "leastSquaresError", "leastAbsoluteError". (default: "logLoss") :param numIterations: Number of iterations of boosting. (default: 100) :param learningRate: Learning rate for shrinking the contribution of each estimator. The learning rate should be between in the interval (0, 1]. (default: 0.1) :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 3) :param maxBins: Maximum number of bins used for splitting features. DecisionTree requires maxBins >= max categories. (default: 32) :return: GradientBoostedTreesModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import GradientBoostedTrees >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(0.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> >>> model = GradientBoostedTrees.trainClassifier(sc.parallelize(data), {}, numIterations=10) >>> model.numTrees() 10 >>> model.totalNumNodes() 30 >>> print(model) # it already has newline TreeEnsembleModel classifier with 10 trees <BLANKLINE> >>> model.predict([2.0]) 1.0 >>> model.predict([0.0]) 0.0 >>> rdd = sc.parallelize([[2.0], [0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0] """ return cls._train(data, "classification", categoricalFeaturesInfo, loss, numIterations, learningRate, maxDepth, maxBins)
[ "def", "trainClassifier", "(", "cls", ",", "data", ",", "categoricalFeaturesInfo", ",", "loss", "=", "\"logLoss\"", ",", "numIterations", "=", "100", ",", "learningRate", "=", "0.1", ",", "maxDepth", "=", "3", ",", "maxBins", "=", "32", ")", ":", "return", "cls", ".", "_train", "(", "data", ",", "\"classification\"", ",", "categoricalFeaturesInfo", ",", "loss", ",", "numIterations", ",", "learningRate", ",", "maxDepth", ",", "maxBins", ")" ]
Train a gradient-boosted trees model for classification. :param data: Training dataset: RDD of LabeledPoint. Labels should take values {0, 1}. :param categoricalFeaturesInfo: Map storing arity of categorical features. An entry (n -> k) indicates that feature n is categorical with k categories indexed from 0: {0, 1, ..., k-1}. :param loss: Loss function used for minimization during gradient boosting. Supported values: "logLoss", "leastSquaresError", "leastAbsoluteError". (default: "logLoss") :param numIterations: Number of iterations of boosting. (default: 100) :param learningRate: Learning rate for shrinking the contribution of each estimator. The learning rate should be between in the interval (0, 1]. (default: 0.1) :param maxDepth: Maximum depth of tree (e.g. depth 0 means 1 leaf node, depth 1 means 1 internal node + 2 leaf nodes). (default: 3) :param maxBins: Maximum number of bins used for splitting features. DecisionTree requires maxBins >= max categories. (default: 32) :return: GradientBoostedTreesModel that can be used for prediction. Example usage: >>> from pyspark.mllib.regression import LabeledPoint >>> from pyspark.mllib.tree import GradientBoostedTrees >>> >>> data = [ ... LabeledPoint(0.0, [0.0]), ... LabeledPoint(0.0, [1.0]), ... LabeledPoint(1.0, [2.0]), ... LabeledPoint(1.0, [3.0]) ... ] >>> >>> model = GradientBoostedTrees.trainClassifier(sc.parallelize(data), {}, numIterations=10) >>> model.numTrees() 10 >>> model.totalNumNodes() 30 >>> print(model) # it already has newline TreeEnsembleModel classifier with 10 trees <BLANKLINE> >>> model.predict([2.0]) 1.0 >>> model.predict([0.0]) 0.0 >>> rdd = sc.parallelize([[2.0], [0.0]]) >>> model.predict(rdd).collect() [1.0, 0.0]
[ "Train", "a", "gradient", "-", "boosted", "trees", "model", "for", "classification", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/tree.py#L511-L576
apache/spark
python/pyspark/conf.py
SparkConf.set
def set(self, key, value): """Set a configuration property.""" # Try to set self._jconf first if JVM is created, set self._conf if JVM is not created yet. if self._jconf is not None: self._jconf.set(key, unicode(value)) else: self._conf[key] = unicode(value) return self
python
def set(self, key, value): """Set a configuration property.""" # Try to set self._jconf first if JVM is created, set self._conf if JVM is not created yet. if self._jconf is not None: self._jconf.set(key, unicode(value)) else: self._conf[key] = unicode(value) return self
[ "def", "set", "(", "self", ",", "key", ",", "value", ")", ":", "# Try to set self._jconf first if JVM is created, set self._conf if JVM is not created yet.", "if", "self", ".", "_jconf", "is", "not", "None", ":", "self", ".", "_jconf", ".", "set", "(", "key", ",", "unicode", "(", "value", ")", ")", "else", ":", "self", ".", "_conf", "[", "key", "]", "=", "unicode", "(", "value", ")", "return", "self" ]
Set a configuration property.
[ "Set", "a", "configuration", "property", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L123-L130
apache/spark
python/pyspark/conf.py
SparkConf.setIfMissing
def setIfMissing(self, key, value): """Set a configuration property, if not already set.""" if self.get(key) is None: self.set(key, value) return self
python
def setIfMissing(self, key, value): """Set a configuration property, if not already set.""" if self.get(key) is None: self.set(key, value) return self
[ "def", "setIfMissing", "(", "self", ",", "key", ",", "value", ")", ":", "if", "self", ".", "get", "(", "key", ")", "is", "None", ":", "self", ".", "set", "(", "key", ",", "value", ")", "return", "self" ]
Set a configuration property, if not already set.
[ "Set", "a", "configuration", "property", "if", "not", "already", "set", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L132-L136
apache/spark
python/pyspark/conf.py
SparkConf.setExecutorEnv
def setExecutorEnv(self, key=None, value=None, pairs=None): """Set an environment variable to be passed to executors.""" if (key is not None and pairs is not None) or (key is None and pairs is None): raise Exception("Either pass one key-value pair or a list of pairs") elif key is not None: self.set("spark.executorEnv." + key, value) elif pairs is not None: for (k, v) in pairs: self.set("spark.executorEnv." + k, v) return self
python
def setExecutorEnv(self, key=None, value=None, pairs=None): """Set an environment variable to be passed to executors.""" if (key is not None and pairs is not None) or (key is None and pairs is None): raise Exception("Either pass one key-value pair or a list of pairs") elif key is not None: self.set("spark.executorEnv." + key, value) elif pairs is not None: for (k, v) in pairs: self.set("spark.executorEnv." + k, v) return self
[ "def", "setExecutorEnv", "(", "self", ",", "key", "=", "None", ",", "value", "=", "None", ",", "pairs", "=", "None", ")", ":", "if", "(", "key", "is", "not", "None", "and", "pairs", "is", "not", "None", ")", "or", "(", "key", "is", "None", "and", "pairs", "is", "None", ")", ":", "raise", "Exception", "(", "\"Either pass one key-value pair or a list of pairs\"", ")", "elif", "key", "is", "not", "None", ":", "self", ".", "set", "(", "\"spark.executorEnv.\"", "+", "key", ",", "value", ")", "elif", "pairs", "is", "not", "None", ":", "for", "(", "k", ",", "v", ")", "in", "pairs", ":", "self", ".", "set", "(", "\"spark.executorEnv.\"", "+", "k", ",", "v", ")", "return", "self" ]
Set an environment variable to be passed to executors.
[ "Set", "an", "environment", "variable", "to", "be", "passed", "to", "executors", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L153-L162
apache/spark
python/pyspark/conf.py
SparkConf.setAll
def setAll(self, pairs): """ Set multiple parameters, passed as a list of key-value pairs. :param pairs: list of key-value pairs to set """ for (k, v) in pairs: self.set(k, v) return self
python
def setAll(self, pairs): """ Set multiple parameters, passed as a list of key-value pairs. :param pairs: list of key-value pairs to set """ for (k, v) in pairs: self.set(k, v) return self
[ "def", "setAll", "(", "self", ",", "pairs", ")", ":", "for", "(", "k", ",", "v", ")", "in", "pairs", ":", "self", ".", "set", "(", "k", ",", "v", ")", "return", "self" ]
Set multiple parameters, passed as a list of key-value pairs. :param pairs: list of key-value pairs to set
[ "Set", "multiple", "parameters", "passed", "as", "a", "list", "of", "key", "-", "value", "pairs", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L164-L172
apache/spark
python/pyspark/conf.py
SparkConf.get
def get(self, key, defaultValue=None): """Get the configured value for some key, or return a default otherwise.""" if defaultValue is None: # Py4J doesn't call the right get() if we pass None if self._jconf is not None: if not self._jconf.contains(key): return None return self._jconf.get(key) else: if key not in self._conf: return None return self._conf[key] else: if self._jconf is not None: return self._jconf.get(key, defaultValue) else: return self._conf.get(key, defaultValue)
python
def get(self, key, defaultValue=None): """Get the configured value for some key, or return a default otherwise.""" if defaultValue is None: # Py4J doesn't call the right get() if we pass None if self._jconf is not None: if not self._jconf.contains(key): return None return self._jconf.get(key) else: if key not in self._conf: return None return self._conf[key] else: if self._jconf is not None: return self._jconf.get(key, defaultValue) else: return self._conf.get(key, defaultValue)
[ "def", "get", "(", "self", ",", "key", ",", "defaultValue", "=", "None", ")", ":", "if", "defaultValue", "is", "None", ":", "# Py4J doesn't call the right get() if we pass None", "if", "self", ".", "_jconf", "is", "not", "None", ":", "if", "not", "self", ".", "_jconf", ".", "contains", "(", "key", ")", ":", "return", "None", "return", "self", ".", "_jconf", ".", "get", "(", "key", ")", "else", ":", "if", "key", "not", "in", "self", ".", "_conf", ":", "return", "None", "return", "self", ".", "_conf", "[", "key", "]", "else", ":", "if", "self", ".", "_jconf", "is", "not", "None", ":", "return", "self", ".", "_jconf", ".", "get", "(", "key", ",", "defaultValue", ")", "else", ":", "return", "self", ".", "_conf", ".", "get", "(", "key", ",", "defaultValue", ")" ]
Get the configured value for some key, or return a default otherwise.
[ "Get", "the", "configured", "value", "for", "some", "key", "or", "return", "a", "default", "otherwise", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L174-L189
apache/spark
python/pyspark/conf.py
SparkConf.getAll
def getAll(self): """Get all values as a list of key-value pairs.""" if self._jconf is not None: return [(elem._1(), elem._2()) for elem in self._jconf.getAll()] else: return self._conf.items()
python
def getAll(self): """Get all values as a list of key-value pairs.""" if self._jconf is not None: return [(elem._1(), elem._2()) for elem in self._jconf.getAll()] else: return self._conf.items()
[ "def", "getAll", "(", "self", ")", ":", "if", "self", ".", "_jconf", "is", "not", "None", ":", "return", "[", "(", "elem", ".", "_1", "(", ")", ",", "elem", ".", "_2", "(", ")", ")", "for", "elem", "in", "self", ".", "_jconf", ".", "getAll", "(", ")", "]", "else", ":", "return", "self", ".", "_conf", ".", "items", "(", ")" ]
Get all values as a list of key-value pairs.
[ "Get", "all", "values", "as", "a", "list", "of", "key", "-", "value", "pairs", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L191-L196
apache/spark
python/pyspark/conf.py
SparkConf.contains
def contains(self, key): """Does this configuration contain a given key?""" if self._jconf is not None: return self._jconf.contains(key) else: return key in self._conf
python
def contains(self, key): """Does this configuration contain a given key?""" if self._jconf is not None: return self._jconf.contains(key) else: return key in self._conf
[ "def", "contains", "(", "self", ",", "key", ")", ":", "if", "self", ".", "_jconf", "is", "not", "None", ":", "return", "self", ".", "_jconf", ".", "contains", "(", "key", ")", "else", ":", "return", "key", "in", "self", ".", "_conf" ]
Does this configuration contain a given key?
[ "Does", "this", "configuration", "contain", "a", "given", "key?" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L198-L203
apache/spark
python/pyspark/conf.py
SparkConf.toDebugString
def toDebugString(self): """ Returns a printable version of the configuration, as a list of key=value pairs, one per line. """ if self._jconf is not None: return self._jconf.toDebugString() else: return '\n'.join('%s=%s' % (k, v) for k, v in self._conf.items())
python
def toDebugString(self): """ Returns a printable version of the configuration, as a list of key=value pairs, one per line. """ if self._jconf is not None: return self._jconf.toDebugString() else: return '\n'.join('%s=%s' % (k, v) for k, v in self._conf.items())
[ "def", "toDebugString", "(", "self", ")", ":", "if", "self", ".", "_jconf", "is", "not", "None", ":", "return", "self", ".", "_jconf", ".", "toDebugString", "(", ")", "else", ":", "return", "'\\n'", ".", "join", "(", "'%s=%s'", "%", "(", "k", ",", "v", ")", "for", "k", ",", "v", "in", "self", ".", "_conf", ".", "items", "(", ")", ")" ]
Returns a printable version of the configuration, as a list of key=value pairs, one per line.
[ "Returns", "a", "printable", "version", "of", "the", "configuration", "as", "a", "list", "of", "key", "=", "value", "pairs", "one", "per", "line", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/conf.py#L205-L213
apache/spark
python/pyspark/sql/catalog.py
Catalog.listDatabases
def listDatabases(self): """Returns a list of databases available across all sessions.""" iter = self._jcatalog.listDatabases().toLocalIterator() databases = [] while iter.hasNext(): jdb = iter.next() databases.append(Database( name=jdb.name(), description=jdb.description(), locationUri=jdb.locationUri())) return databases
python
def listDatabases(self): """Returns a list of databases available across all sessions.""" iter = self._jcatalog.listDatabases().toLocalIterator() databases = [] while iter.hasNext(): jdb = iter.next() databases.append(Database( name=jdb.name(), description=jdb.description(), locationUri=jdb.locationUri())) return databases
[ "def", "listDatabases", "(", "self", ")", ":", "iter", "=", "self", ".", "_jcatalog", ".", "listDatabases", "(", ")", ".", "toLocalIterator", "(", ")", "databases", "=", "[", "]", "while", "iter", ".", "hasNext", "(", ")", ":", "jdb", "=", "iter", ".", "next", "(", ")", "databases", ".", "append", "(", "Database", "(", "name", "=", "jdb", ".", "name", "(", ")", ",", "description", "=", "jdb", ".", "description", "(", ")", ",", "locationUri", "=", "jdb", ".", "locationUri", "(", ")", ")", ")", "return", "databases" ]
Returns a list of databases available across all sessions.
[ "Returns", "a", "list", "of", "databases", "available", "across", "all", "sessions", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/catalog.py#L61-L71
apache/spark
python/pyspark/sql/catalog.py
Catalog.listTables
def listTables(self, dbName=None): """Returns a list of tables/views in the specified database. If no database is specified, the current database is used. This includes all temporary views. """ if dbName is None: dbName = self.currentDatabase() iter = self._jcatalog.listTables(dbName).toLocalIterator() tables = [] while iter.hasNext(): jtable = iter.next() tables.append(Table( name=jtable.name(), database=jtable.database(), description=jtable.description(), tableType=jtable.tableType(), isTemporary=jtable.isTemporary())) return tables
python
def listTables(self, dbName=None): """Returns a list of tables/views in the specified database. If no database is specified, the current database is used. This includes all temporary views. """ if dbName is None: dbName = self.currentDatabase() iter = self._jcatalog.listTables(dbName).toLocalIterator() tables = [] while iter.hasNext(): jtable = iter.next() tables.append(Table( name=jtable.name(), database=jtable.database(), description=jtable.description(), tableType=jtable.tableType(), isTemporary=jtable.isTemporary())) return tables
[ "def", "listTables", "(", "self", ",", "dbName", "=", "None", ")", ":", "if", "dbName", "is", "None", ":", "dbName", "=", "self", ".", "currentDatabase", "(", ")", "iter", "=", "self", ".", "_jcatalog", ".", "listTables", "(", "dbName", ")", ".", "toLocalIterator", "(", ")", "tables", "=", "[", "]", "while", "iter", ".", "hasNext", "(", ")", ":", "jtable", "=", "iter", ".", "next", "(", ")", "tables", ".", "append", "(", "Table", "(", "name", "=", "jtable", ".", "name", "(", ")", ",", "database", "=", "jtable", ".", "database", "(", ")", ",", "description", "=", "jtable", ".", "description", "(", ")", ",", "tableType", "=", "jtable", ".", "tableType", "(", ")", ",", "isTemporary", "=", "jtable", ".", "isTemporary", "(", ")", ")", ")", "return", "tables" ]
Returns a list of tables/views in the specified database. If no database is specified, the current database is used. This includes all temporary views.
[ "Returns", "a", "list", "of", "tables", "/", "views", "in", "the", "specified", "database", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/catalog.py#L75-L93
apache/spark
python/pyspark/sql/catalog.py
Catalog.listFunctions
def listFunctions(self, dbName=None): """Returns a list of functions registered in the specified database. If no database is specified, the current database is used. This includes all temporary functions. """ if dbName is None: dbName = self.currentDatabase() iter = self._jcatalog.listFunctions(dbName).toLocalIterator() functions = [] while iter.hasNext(): jfunction = iter.next() functions.append(Function( name=jfunction.name(), description=jfunction.description(), className=jfunction.className(), isTemporary=jfunction.isTemporary())) return functions
python
def listFunctions(self, dbName=None): """Returns a list of functions registered in the specified database. If no database is specified, the current database is used. This includes all temporary functions. """ if dbName is None: dbName = self.currentDatabase() iter = self._jcatalog.listFunctions(dbName).toLocalIterator() functions = [] while iter.hasNext(): jfunction = iter.next() functions.append(Function( name=jfunction.name(), description=jfunction.description(), className=jfunction.className(), isTemporary=jfunction.isTemporary())) return functions
[ "def", "listFunctions", "(", "self", ",", "dbName", "=", "None", ")", ":", "if", "dbName", "is", "None", ":", "dbName", "=", "self", ".", "currentDatabase", "(", ")", "iter", "=", "self", ".", "_jcatalog", ".", "listFunctions", "(", "dbName", ")", ".", "toLocalIterator", "(", ")", "functions", "=", "[", "]", "while", "iter", ".", "hasNext", "(", ")", ":", "jfunction", "=", "iter", ".", "next", "(", ")", "functions", ".", "append", "(", "Function", "(", "name", "=", "jfunction", ".", "name", "(", ")", ",", "description", "=", "jfunction", ".", "description", "(", ")", ",", "className", "=", "jfunction", ".", "className", "(", ")", ",", "isTemporary", "=", "jfunction", ".", "isTemporary", "(", ")", ")", ")", "return", "functions" ]
Returns a list of functions registered in the specified database. If no database is specified, the current database is used. This includes all temporary functions.
[ "Returns", "a", "list", "of", "functions", "registered", "in", "the", "specified", "database", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/catalog.py#L97-L114
apache/spark
python/pyspark/sql/catalog.py
Catalog.listColumns
def listColumns(self, tableName, dbName=None): """Returns a list of columns for the given table/view in the specified database. If no database is specified, the current database is used. Note: the order of arguments here is different from that of its JVM counterpart because Python does not support method overloading. """ if dbName is None: dbName = self.currentDatabase() iter = self._jcatalog.listColumns(dbName, tableName).toLocalIterator() columns = [] while iter.hasNext(): jcolumn = iter.next() columns.append(Column( name=jcolumn.name(), description=jcolumn.description(), dataType=jcolumn.dataType(), nullable=jcolumn.nullable(), isPartition=jcolumn.isPartition(), isBucket=jcolumn.isBucket())) return columns
python
def listColumns(self, tableName, dbName=None): """Returns a list of columns for the given table/view in the specified database. If no database is specified, the current database is used. Note: the order of arguments here is different from that of its JVM counterpart because Python does not support method overloading. """ if dbName is None: dbName = self.currentDatabase() iter = self._jcatalog.listColumns(dbName, tableName).toLocalIterator() columns = [] while iter.hasNext(): jcolumn = iter.next() columns.append(Column( name=jcolumn.name(), description=jcolumn.description(), dataType=jcolumn.dataType(), nullable=jcolumn.nullable(), isPartition=jcolumn.isPartition(), isBucket=jcolumn.isBucket())) return columns
[ "def", "listColumns", "(", "self", ",", "tableName", ",", "dbName", "=", "None", ")", ":", "if", "dbName", "is", "None", ":", "dbName", "=", "self", ".", "currentDatabase", "(", ")", "iter", "=", "self", ".", "_jcatalog", ".", "listColumns", "(", "dbName", ",", "tableName", ")", ".", "toLocalIterator", "(", ")", "columns", "=", "[", "]", "while", "iter", ".", "hasNext", "(", ")", ":", "jcolumn", "=", "iter", ".", "next", "(", ")", "columns", ".", "append", "(", "Column", "(", "name", "=", "jcolumn", ".", "name", "(", ")", ",", "description", "=", "jcolumn", ".", "description", "(", ")", ",", "dataType", "=", "jcolumn", ".", "dataType", "(", ")", ",", "nullable", "=", "jcolumn", ".", "nullable", "(", ")", ",", "isPartition", "=", "jcolumn", ".", "isPartition", "(", ")", ",", "isBucket", "=", "jcolumn", ".", "isBucket", "(", ")", ")", ")", "return", "columns" ]
Returns a list of columns for the given table/view in the specified database. If no database is specified, the current database is used. Note: the order of arguments here is different from that of its JVM counterpart because Python does not support method overloading.
[ "Returns", "a", "list", "of", "columns", "for", "the", "given", "table", "/", "view", "in", "the", "specified", "database", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/catalog.py#L118-L139
apache/spark
python/pyspark/sql/catalog.py
Catalog.createExternalTable
def createExternalTable(self, tableName, path=None, source=None, schema=None, **options): """Creates a table based on the dataset in a data source. It returns the DataFrame associated with the external table. The data source is specified by the ``source`` and a set of ``options``. If ``source`` is not specified, the default data source configured by ``spark.sql.sources.default`` will be used. Optionally, a schema can be provided as the schema of the returned :class:`DataFrame` and created external table. :return: :class:`DataFrame` """ warnings.warn( "createExternalTable is deprecated since Spark 2.2, please use createTable instead.", DeprecationWarning) return self.createTable(tableName, path, source, schema, **options)
python
def createExternalTable(self, tableName, path=None, source=None, schema=None, **options): """Creates a table based on the dataset in a data source. It returns the DataFrame associated with the external table. The data source is specified by the ``source`` and a set of ``options``. If ``source`` is not specified, the default data source configured by ``spark.sql.sources.default`` will be used. Optionally, a schema can be provided as the schema of the returned :class:`DataFrame` and created external table. :return: :class:`DataFrame` """ warnings.warn( "createExternalTable is deprecated since Spark 2.2, please use createTable instead.", DeprecationWarning) return self.createTable(tableName, path, source, schema, **options)
[ "def", "createExternalTable", "(", "self", ",", "tableName", ",", "path", "=", "None", ",", "source", "=", "None", ",", "schema", "=", "None", ",", "*", "*", "options", ")", ":", "warnings", ".", "warn", "(", "\"createExternalTable is deprecated since Spark 2.2, please use createTable instead.\"", ",", "DeprecationWarning", ")", "return", "self", ".", "createTable", "(", "tableName", ",", "path", ",", "source", ",", "schema", ",", "*", "*", "options", ")" ]
Creates a table based on the dataset in a data source. It returns the DataFrame associated with the external table. The data source is specified by the ``source`` and a set of ``options``. If ``source`` is not specified, the default data source configured by ``spark.sql.sources.default`` will be used. Optionally, a schema can be provided as the schema of the returned :class:`DataFrame` and created external table. :return: :class:`DataFrame`
[ "Creates", "a", "table", "based", "on", "the", "dataset", "in", "a", "data", "source", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/catalog.py#L142-L159
apache/spark
python/pyspark/sql/catalog.py
Catalog.createTable
def createTable(self, tableName, path=None, source=None, schema=None, **options): """Creates a table based on the dataset in a data source. It returns the DataFrame associated with the table. The data source is specified by the ``source`` and a set of ``options``. If ``source`` is not specified, the default data source configured by ``spark.sql.sources.default`` will be used. When ``path`` is specified, an external table is created from the data at the given path. Otherwise a managed table is created. Optionally, a schema can be provided as the schema of the returned :class:`DataFrame` and created table. :return: :class:`DataFrame` """ if path is not None: options["path"] = path if source is None: source = self._sparkSession._wrapped._conf.defaultDataSourceName() if schema is None: df = self._jcatalog.createTable(tableName, source, options) else: if not isinstance(schema, StructType): raise TypeError("schema should be StructType") scala_datatype = self._jsparkSession.parseDataType(schema.json()) df = self._jcatalog.createTable(tableName, source, scala_datatype, options) return DataFrame(df, self._sparkSession._wrapped)
python
def createTable(self, tableName, path=None, source=None, schema=None, **options): """Creates a table based on the dataset in a data source. It returns the DataFrame associated with the table. The data source is specified by the ``source`` and a set of ``options``. If ``source`` is not specified, the default data source configured by ``spark.sql.sources.default`` will be used. When ``path`` is specified, an external table is created from the data at the given path. Otherwise a managed table is created. Optionally, a schema can be provided as the schema of the returned :class:`DataFrame` and created table. :return: :class:`DataFrame` """ if path is not None: options["path"] = path if source is None: source = self._sparkSession._wrapped._conf.defaultDataSourceName() if schema is None: df = self._jcatalog.createTable(tableName, source, options) else: if not isinstance(schema, StructType): raise TypeError("schema should be StructType") scala_datatype = self._jsparkSession.parseDataType(schema.json()) df = self._jcatalog.createTable(tableName, source, scala_datatype, options) return DataFrame(df, self._sparkSession._wrapped)
[ "def", "createTable", "(", "self", ",", "tableName", ",", "path", "=", "None", ",", "source", "=", "None", ",", "schema", "=", "None", ",", "*", "*", "options", ")", ":", "if", "path", "is", "not", "None", ":", "options", "[", "\"path\"", "]", "=", "path", "if", "source", "is", "None", ":", "source", "=", "self", ".", "_sparkSession", ".", "_wrapped", ".", "_conf", ".", "defaultDataSourceName", "(", ")", "if", "schema", "is", "None", ":", "df", "=", "self", ".", "_jcatalog", ".", "createTable", "(", "tableName", ",", "source", ",", "options", ")", "else", ":", "if", "not", "isinstance", "(", "schema", ",", "StructType", ")", ":", "raise", "TypeError", "(", "\"schema should be StructType\"", ")", "scala_datatype", "=", "self", ".", "_jsparkSession", ".", "parseDataType", "(", "schema", ".", "json", "(", ")", ")", "df", "=", "self", ".", "_jcatalog", ".", "createTable", "(", "tableName", ",", "source", ",", "scala_datatype", ",", "options", ")", "return", "DataFrame", "(", "df", ",", "self", ".", "_sparkSession", ".", "_wrapped", ")" ]
Creates a table based on the dataset in a data source. It returns the DataFrame associated with the table. The data source is specified by the ``source`` and a set of ``options``. If ``source`` is not specified, the default data source configured by ``spark.sql.sources.default`` will be used. When ``path`` is specified, an external table is created from the data at the given path. Otherwise a managed table is created. Optionally, a schema can be provided as the schema of the returned :class:`DataFrame` and created table. :return: :class:`DataFrame`
[ "Creates", "a", "table", "based", "on", "the", "dataset", "in", "a", "data", "source", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/sql/catalog.py#L162-L188
apache/spark
python/pyspark/taskcontext.py
_load_from_socket
def _load_from_socket(port, auth_secret): """ Load data from a given socket, this is a blocking method thus only return when the socket connection has been closed. """ (sockfile, sock) = local_connect_and_auth(port, auth_secret) # The barrier() call may block forever, so no timeout sock.settimeout(None) # Make a barrier() function call. write_int(BARRIER_FUNCTION, sockfile) sockfile.flush() # Collect result. res = UTF8Deserializer().loads(sockfile) # Release resources. sockfile.close() sock.close() return res
python
def _load_from_socket(port, auth_secret): """ Load data from a given socket, this is a blocking method thus only return when the socket connection has been closed. """ (sockfile, sock) = local_connect_and_auth(port, auth_secret) # The barrier() call may block forever, so no timeout sock.settimeout(None) # Make a barrier() function call. write_int(BARRIER_FUNCTION, sockfile) sockfile.flush() # Collect result. res = UTF8Deserializer().loads(sockfile) # Release resources. sockfile.close() sock.close() return res
[ "def", "_load_from_socket", "(", "port", ",", "auth_secret", ")", ":", "(", "sockfile", ",", "sock", ")", "=", "local_connect_and_auth", "(", "port", ",", "auth_secret", ")", "# The barrier() call may block forever, so no timeout", "sock", ".", "settimeout", "(", "None", ")", "# Make a barrier() function call.", "write_int", "(", "BARRIER_FUNCTION", ",", "sockfile", ")", "sockfile", ".", "flush", "(", ")", "# Collect result.", "res", "=", "UTF8Deserializer", "(", ")", ".", "loads", "(", "sockfile", ")", "# Release resources.", "sockfile", ".", "close", "(", ")", "sock", ".", "close", "(", ")", "return", "res" ]
Load data from a given socket, this is a blocking method thus only return when the socket connection has been closed.
[ "Load", "data", "from", "a", "given", "socket", "this", "is", "a", "blocking", "method", "thus", "only", "return", "when", "the", "socket", "connection", "has", "been", "closed", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/taskcontext.py#L102-L121
apache/spark
python/pyspark/taskcontext.py
BarrierTaskContext._getOrCreate
def _getOrCreate(cls): """ Internal function to get or create global BarrierTaskContext. We need to make sure BarrierTaskContext is returned from here because it is needed in python worker reuse scenario, see SPARK-25921 for more details. """ if not isinstance(cls._taskContext, BarrierTaskContext): cls._taskContext = object.__new__(cls) return cls._taskContext
python
def _getOrCreate(cls): """ Internal function to get or create global BarrierTaskContext. We need to make sure BarrierTaskContext is returned from here because it is needed in python worker reuse scenario, see SPARK-25921 for more details. """ if not isinstance(cls._taskContext, BarrierTaskContext): cls._taskContext = object.__new__(cls) return cls._taskContext
[ "def", "_getOrCreate", "(", "cls", ")", ":", "if", "not", "isinstance", "(", "cls", ".", "_taskContext", ",", "BarrierTaskContext", ")", ":", "cls", ".", "_taskContext", "=", "object", ".", "__new__", "(", "cls", ")", "return", "cls", ".", "_taskContext" ]
Internal function to get or create global BarrierTaskContext. We need to make sure BarrierTaskContext is returned from here because it is needed in python worker reuse scenario, see SPARK-25921 for more details.
[ "Internal", "function", "to", "get", "or", "create", "global", "BarrierTaskContext", ".", "We", "need", "to", "make", "sure", "BarrierTaskContext", "is", "returned", "from", "here", "because", "it", "is", "needed", "in", "python", "worker", "reuse", "scenario", "see", "SPARK", "-", "25921", "for", "more", "details", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/taskcontext.py#L139-L147
apache/spark
python/pyspark/taskcontext.py
BarrierTaskContext._initialize
def _initialize(cls, port, secret): """ Initialize BarrierTaskContext, other methods within BarrierTaskContext can only be called after BarrierTaskContext is initialized. """ cls._port = port cls._secret = secret
python
def _initialize(cls, port, secret): """ Initialize BarrierTaskContext, other methods within BarrierTaskContext can only be called after BarrierTaskContext is initialized. """ cls._port = port cls._secret = secret
[ "def", "_initialize", "(", "cls", ",", "port", ",", "secret", ")", ":", "cls", ".", "_port", "=", "port", "cls", ".", "_secret", "=", "secret" ]
Initialize BarrierTaskContext, other methods within BarrierTaskContext can only be called after BarrierTaskContext is initialized.
[ "Initialize", "BarrierTaskContext", "other", "methods", "within", "BarrierTaskContext", "can", "only", "be", "called", "after", "BarrierTaskContext", "is", "initialized", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/taskcontext.py#L163-L169
apache/spark
python/pyspark/taskcontext.py
BarrierTaskContext.barrier
def barrier(self): """ .. note:: Experimental Sets a global barrier and waits until all tasks in this stage hit this barrier. Similar to `MPI_Barrier` function in MPI, this function blocks until all tasks in the same stage have reached this routine. .. warning:: In a barrier stage, each task much have the same number of `barrier()` calls, in all possible code branches. Otherwise, you may get the job hanging or a SparkException after timeout. .. versionadded:: 2.4.0 """ if self._port is None or self._secret is None: raise Exception("Not supported to call barrier() before initialize " + "BarrierTaskContext.") else: _load_from_socket(self._port, self._secret)
python
def barrier(self): """ .. note:: Experimental Sets a global barrier and waits until all tasks in this stage hit this barrier. Similar to `MPI_Barrier` function in MPI, this function blocks until all tasks in the same stage have reached this routine. .. warning:: In a barrier stage, each task much have the same number of `barrier()` calls, in all possible code branches. Otherwise, you may get the job hanging or a SparkException after timeout. .. versionadded:: 2.4.0 """ if self._port is None or self._secret is None: raise Exception("Not supported to call barrier() before initialize " + "BarrierTaskContext.") else: _load_from_socket(self._port, self._secret)
[ "def", "barrier", "(", "self", ")", ":", "if", "self", ".", "_port", "is", "None", "or", "self", ".", "_secret", "is", "None", ":", "raise", "Exception", "(", "\"Not supported to call barrier() before initialize \"", "+", "\"BarrierTaskContext.\"", ")", "else", ":", "_load_from_socket", "(", "self", ".", "_port", ",", "self", ".", "_secret", ")" ]
.. note:: Experimental Sets a global barrier and waits until all tasks in this stage hit this barrier. Similar to `MPI_Barrier` function in MPI, this function blocks until all tasks in the same stage have reached this routine. .. warning:: In a barrier stage, each task much have the same number of `barrier()` calls, in all possible code branches. Otherwise, you may get the job hanging or a SparkException after timeout. .. versionadded:: 2.4.0
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/taskcontext.py#L171-L189
apache/spark
python/pyspark/taskcontext.py
BarrierTaskContext.getTaskInfos
def getTaskInfos(self): """ .. note:: Experimental Returns :class:`BarrierTaskInfo` for all tasks in this barrier stage, ordered by partition ID. .. versionadded:: 2.4.0 """ if self._port is None or self._secret is None: raise Exception("Not supported to call getTaskInfos() before initialize " + "BarrierTaskContext.") else: addresses = self._localProperties.get("addresses", "") return [BarrierTaskInfo(h.strip()) for h in addresses.split(",")]
python
def getTaskInfos(self): """ .. note:: Experimental Returns :class:`BarrierTaskInfo` for all tasks in this barrier stage, ordered by partition ID. .. versionadded:: 2.4.0 """ if self._port is None or self._secret is None: raise Exception("Not supported to call getTaskInfos() before initialize " + "BarrierTaskContext.") else: addresses = self._localProperties.get("addresses", "") return [BarrierTaskInfo(h.strip()) for h in addresses.split(",")]
[ "def", "getTaskInfos", "(", "self", ")", ":", "if", "self", ".", "_port", "is", "None", "or", "self", ".", "_secret", "is", "None", ":", "raise", "Exception", "(", "\"Not supported to call getTaskInfos() before initialize \"", "+", "\"BarrierTaskContext.\"", ")", "else", ":", "addresses", "=", "self", ".", "_localProperties", ".", "get", "(", "\"addresses\"", ",", "\"\"", ")", "return", "[", "BarrierTaskInfo", "(", "h", ".", "strip", "(", ")", ")", "for", "h", "in", "addresses", ".", "split", "(", "\",\"", ")", "]" ]
.. note:: Experimental Returns :class:`BarrierTaskInfo` for all tasks in this barrier stage, ordered by partition ID. .. versionadded:: 2.4.0
[ "..", "note", "::", "Experimental" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/taskcontext.py#L191-L205
apache/spark
python/pyspark/__init__.py
since
def since(version): """ A decorator that annotates a function to append the version of Spark the function was added. """ import re indent_p = re.compile(r'\n( +)') def deco(f): indents = indent_p.findall(f.__doc__) indent = ' ' * (min(len(m) for m in indents) if indents else 0) f.__doc__ = f.__doc__.rstrip() + "\n\n%s.. versionadded:: %s" % (indent, version) return f return deco
python
def since(version): """ A decorator that annotates a function to append the version of Spark the function was added. """ import re indent_p = re.compile(r'\n( +)') def deco(f): indents = indent_p.findall(f.__doc__) indent = ' ' * (min(len(m) for m in indents) if indents else 0) f.__doc__ = f.__doc__.rstrip() + "\n\n%s.. versionadded:: %s" % (indent, version) return f return deco
[ "def", "since", "(", "version", ")", ":", "import", "re", "indent_p", "=", "re", ".", "compile", "(", "r'\\n( +)'", ")", "def", "deco", "(", "f", ")", ":", "indents", "=", "indent_p", ".", "findall", "(", "f", ".", "__doc__", ")", "indent", "=", "' '", "*", "(", "min", "(", "len", "(", "m", ")", "for", "m", "in", "indents", ")", "if", "indents", "else", "0", ")", "f", ".", "__doc__", "=", "f", ".", "__doc__", ".", "rstrip", "(", ")", "+", "\"\\n\\n%s.. versionadded:: %s\"", "%", "(", "indent", ",", "version", ")", "return", "f", "return", "deco" ]
A decorator that annotates a function to append the version of Spark the function was added.
[ "A", "decorator", "that", "annotates", "a", "function", "to", "append", "the", "version", "of", "Spark", "the", "function", "was", "added", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/__init__.py#L65-L77
apache/spark
python/pyspark/__init__.py
copy_func
def copy_func(f, name=None, sinceversion=None, doc=None): """ Returns a function with same code, globals, defaults, closure, and name (or provide a new name). """ # See # http://stackoverflow.com/questions/6527633/how-can-i-make-a-deepcopy-of-a-function-in-python fn = types.FunctionType(f.__code__, f.__globals__, name or f.__name__, f.__defaults__, f.__closure__) # in case f was given attrs (note this dict is a shallow copy): fn.__dict__.update(f.__dict__) if doc is not None: fn.__doc__ = doc if sinceversion is not None: fn = since(sinceversion)(fn) return fn
python
def copy_func(f, name=None, sinceversion=None, doc=None): """ Returns a function with same code, globals, defaults, closure, and name (or provide a new name). """ # See # http://stackoverflow.com/questions/6527633/how-can-i-make-a-deepcopy-of-a-function-in-python fn = types.FunctionType(f.__code__, f.__globals__, name or f.__name__, f.__defaults__, f.__closure__) # in case f was given attrs (note this dict is a shallow copy): fn.__dict__.update(f.__dict__) if doc is not None: fn.__doc__ = doc if sinceversion is not None: fn = since(sinceversion)(fn) return fn
[ "def", "copy_func", "(", "f", ",", "name", "=", "None", ",", "sinceversion", "=", "None", ",", "doc", "=", "None", ")", ":", "# See", "# http://stackoverflow.com/questions/6527633/how-can-i-make-a-deepcopy-of-a-function-in-python", "fn", "=", "types", ".", "FunctionType", "(", "f", ".", "__code__", ",", "f", ".", "__globals__", ",", "name", "or", "f", ".", "__name__", ",", "f", ".", "__defaults__", ",", "f", ".", "__closure__", ")", "# in case f was given attrs (note this dict is a shallow copy):", "fn", ".", "__dict__", ".", "update", "(", "f", ".", "__dict__", ")", "if", "doc", "is", "not", "None", ":", "fn", ".", "__doc__", "=", "doc", "if", "sinceversion", "is", "not", "None", ":", "fn", "=", "since", "(", "sinceversion", ")", "(", "fn", ")", "return", "fn" ]
Returns a function with same code, globals, defaults, closure, and name (or provide a new name).
[ "Returns", "a", "function", "with", "same", "code", "globals", "defaults", "closure", "and", "name", "(", "or", "provide", "a", "new", "name", ")", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/__init__.py#L80-L95
apache/spark
python/pyspark/__init__.py
keyword_only
def keyword_only(func): """ A decorator that forces keyword arguments in the wrapped method and saves actual input keyword arguments in `_input_kwargs`. .. note:: Should only be used to wrap a method where first arg is `self` """ @wraps(func) def wrapper(self, *args, **kwargs): if len(args) > 0: raise TypeError("Method %s forces keyword arguments." % func.__name__) self._input_kwargs = kwargs return func(self, **kwargs) return wrapper
python
def keyword_only(func): """ A decorator that forces keyword arguments in the wrapped method and saves actual input keyword arguments in `_input_kwargs`. .. note:: Should only be used to wrap a method where first arg is `self` """ @wraps(func) def wrapper(self, *args, **kwargs): if len(args) > 0: raise TypeError("Method %s forces keyword arguments." % func.__name__) self._input_kwargs = kwargs return func(self, **kwargs) return wrapper
[ "def", "keyword_only", "(", "func", ")", ":", "@", "wraps", "(", "func", ")", "def", "wrapper", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "len", "(", "args", ")", ">", "0", ":", "raise", "TypeError", "(", "\"Method %s forces keyword arguments.\"", "%", "func", ".", "__name__", ")", "self", ".", "_input_kwargs", "=", "kwargs", "return", "func", "(", "self", ",", "*", "*", "kwargs", ")", "return", "wrapper" ]
A decorator that forces keyword arguments in the wrapped method and saves actual input keyword arguments in `_input_kwargs`. .. note:: Should only be used to wrap a method where first arg is `self`
[ "A", "decorator", "that", "forces", "keyword", "arguments", "in", "the", "wrapped", "method", "and", "saves", "actual", "input", "keyword", "arguments", "in", "_input_kwargs", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/__init__.py#L98-L111
apache/spark
python/pyspark/ml/param/_shared_params_code_gen.py
_gen_param_header
def _gen_param_header(name, doc, defaultValueStr, typeConverter): """ Generates the header part for shared variables :param name: param name :param doc: param doc """ template = '''class Has$Name(Params): """ Mixin for param $name: $doc """ $name = Param(Params._dummy(), "$name", "$doc", typeConverter=$typeConverter) def __init__(self): super(Has$Name, self).__init__()''' if defaultValueStr is not None: template += ''' self._setDefault($name=$defaultValueStr)''' Name = name[0].upper() + name[1:] if typeConverter is None: typeConverter = str(None) return template \ .replace("$name", name) \ .replace("$Name", Name) \ .replace("$doc", doc) \ .replace("$defaultValueStr", str(defaultValueStr)) \ .replace("$typeConverter", typeConverter)
python
def _gen_param_header(name, doc, defaultValueStr, typeConverter): """ Generates the header part for shared variables :param name: param name :param doc: param doc """ template = '''class Has$Name(Params): """ Mixin for param $name: $doc """ $name = Param(Params._dummy(), "$name", "$doc", typeConverter=$typeConverter) def __init__(self): super(Has$Name, self).__init__()''' if defaultValueStr is not None: template += ''' self._setDefault($name=$defaultValueStr)''' Name = name[0].upper() + name[1:] if typeConverter is None: typeConverter = str(None) return template \ .replace("$name", name) \ .replace("$Name", Name) \ .replace("$doc", doc) \ .replace("$defaultValueStr", str(defaultValueStr)) \ .replace("$typeConverter", typeConverter)
[ "def", "_gen_param_header", "(", "name", ",", "doc", ",", "defaultValueStr", ",", "typeConverter", ")", ":", "template", "=", "'''class Has$Name(Params):\n \"\"\"\n Mixin for param $name: $doc\n \"\"\"\n\n $name = Param(Params._dummy(), \"$name\", \"$doc\", typeConverter=$typeConverter)\n\n def __init__(self):\n super(Has$Name, self).__init__()'''", "if", "defaultValueStr", "is", "not", "None", ":", "template", "+=", "'''\n self._setDefault($name=$defaultValueStr)'''", "Name", "=", "name", "[", "0", "]", ".", "upper", "(", ")", "+", "name", "[", "1", ":", "]", "if", "typeConverter", "is", "None", ":", "typeConverter", "=", "str", "(", "None", ")", "return", "template", ".", "replace", "(", "\"$name\"", ",", "name", ")", ".", "replace", "(", "\"$Name\"", ",", "Name", ")", ".", "replace", "(", "\"$doc\"", ",", "doc", ")", ".", "replace", "(", "\"$defaultValueStr\"", ",", "str", "(", "defaultValueStr", ")", ")", ".", "replace", "(", "\"$typeConverter\"", ",", "typeConverter", ")" ]
Generates the header part for shared variables :param name: param name :param doc: param doc
[ "Generates", "the", "header", "part", "for", "shared", "variables" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/ml/param/_shared_params_code_gen.py#L41-L70
apache/spark
python/pyspark/ml/param/_shared_params_code_gen.py
_gen_param_code
def _gen_param_code(name, doc, defaultValueStr): """ Generates Python code for a shared param class. :param name: param name :param doc: param doc :param defaultValueStr: string representation of the default value :return: code string """ # TODO: How to correctly inherit instance attributes? template = ''' def set$Name(self, value): """ Sets the value of :py:attr:`$name`. """ return self._set($name=value) def get$Name(self): """ Gets the value of $name or its default value. """ return self.getOrDefault(self.$name)''' Name = name[0].upper() + name[1:] return template \ .replace("$name", name) \ .replace("$Name", Name) \ .replace("$doc", doc) \ .replace("$defaultValueStr", str(defaultValueStr))
python
def _gen_param_code(name, doc, defaultValueStr): """ Generates Python code for a shared param class. :param name: param name :param doc: param doc :param defaultValueStr: string representation of the default value :return: code string """ # TODO: How to correctly inherit instance attributes? template = ''' def set$Name(self, value): """ Sets the value of :py:attr:`$name`. """ return self._set($name=value) def get$Name(self): """ Gets the value of $name or its default value. """ return self.getOrDefault(self.$name)''' Name = name[0].upper() + name[1:] return template \ .replace("$name", name) \ .replace("$Name", Name) \ .replace("$doc", doc) \ .replace("$defaultValueStr", str(defaultValueStr))
[ "def", "_gen_param_code", "(", "name", ",", "doc", ",", "defaultValueStr", ")", ":", "# TODO: How to correctly inherit instance attributes?", "template", "=", "'''\n def set$Name(self, value):\n \"\"\"\n Sets the value of :py:attr:`$name`.\n \"\"\"\n return self._set($name=value)\n\n def get$Name(self):\n \"\"\"\n Gets the value of $name or its default value.\n \"\"\"\n return self.getOrDefault(self.$name)'''", "Name", "=", "name", "[", "0", "]", ".", "upper", "(", ")", "+", "name", "[", "1", ":", "]", "return", "template", ".", "replace", "(", "\"$name\"", ",", "name", ")", ".", "replace", "(", "\"$Name\"", ",", "Name", ")", ".", "replace", "(", "\"$doc\"", ",", "doc", ")", ".", "replace", "(", "\"$defaultValueStr\"", ",", "str", "(", "defaultValueStr", ")", ")" ]
Generates Python code for a shared param class. :param name: param name :param doc: param doc :param defaultValueStr: string representation of the default value :return: code string
[ "Generates", "Python", "code", "for", "a", "shared", "param", "class", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/ml/param/_shared_params_code_gen.py#L73-L101
apache/spark
python/pyspark/mllib/clustering.py
BisectingKMeans.train
def train(self, rdd, k=4, maxIterations=20, minDivisibleClusterSize=1.0, seed=-1888008604): """ Runs the bisecting k-means algorithm return the model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: The desired number of leaf clusters. The actual number could be smaller if there are no divisible leaf clusters. (default: 4) :param maxIterations: Maximum number of iterations allowed to split clusters. (default: 20) :param minDivisibleClusterSize: Minimum number of points (if >= 1.0) or the minimum proportion of points (if < 1.0) of a divisible cluster. (default: 1) :param seed: Random seed value for cluster initialization. (default: -1888008604 from classOf[BisectingKMeans].getName.##) """ java_model = callMLlibFunc( "trainBisectingKMeans", rdd.map(_convert_to_vector), k, maxIterations, minDivisibleClusterSize, seed) return BisectingKMeansModel(java_model)
python
def train(self, rdd, k=4, maxIterations=20, minDivisibleClusterSize=1.0, seed=-1888008604): """ Runs the bisecting k-means algorithm return the model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: The desired number of leaf clusters. The actual number could be smaller if there are no divisible leaf clusters. (default: 4) :param maxIterations: Maximum number of iterations allowed to split clusters. (default: 20) :param minDivisibleClusterSize: Minimum number of points (if >= 1.0) or the minimum proportion of points (if < 1.0) of a divisible cluster. (default: 1) :param seed: Random seed value for cluster initialization. (default: -1888008604 from classOf[BisectingKMeans].getName.##) """ java_model = callMLlibFunc( "trainBisectingKMeans", rdd.map(_convert_to_vector), k, maxIterations, minDivisibleClusterSize, seed) return BisectingKMeansModel(java_model)
[ "def", "train", "(", "self", ",", "rdd", ",", "k", "=", "4", ",", "maxIterations", "=", "20", ",", "minDivisibleClusterSize", "=", "1.0", ",", "seed", "=", "-", "1888008604", ")", ":", "java_model", "=", "callMLlibFunc", "(", "\"trainBisectingKMeans\"", ",", "rdd", ".", "map", "(", "_convert_to_vector", ")", ",", "k", ",", "maxIterations", ",", "minDivisibleClusterSize", ",", "seed", ")", "return", "BisectingKMeansModel", "(", "java_model", ")" ]
Runs the bisecting k-means algorithm return the model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: The desired number of leaf clusters. The actual number could be smaller if there are no divisible leaf clusters. (default: 4) :param maxIterations: Maximum number of iterations allowed to split clusters. (default: 20) :param minDivisibleClusterSize: Minimum number of points (if >= 1.0) or the minimum proportion of points (if < 1.0) of a divisible cluster. (default: 1) :param seed: Random seed value for cluster initialization. (default: -1888008604 from classOf[BisectingKMeans].getName.##)
[ "Runs", "the", "bisecting", "k", "-", "means", "algorithm", "return", "the", "model", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L142-L167
apache/spark
python/pyspark/mllib/clustering.py
KMeans.train
def train(cls, rdd, k, maxIterations=100, runs=1, initializationMode="k-means||", seed=None, initializationSteps=2, epsilon=1e-4, initialModel=None): """ Train a k-means clustering model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: Number of clusters to create. :param maxIterations: Maximum number of iterations allowed. (default: 100) :param runs: This param has no effect since Spark 2.0.0. :param initializationMode: The initialization algorithm. This can be either "random" or "k-means||". (default: "k-means||") :param seed: Random seed value for cluster initialization. Set as None to generate seed based on system time. (default: None) :param initializationSteps: Number of steps for the k-means|| initialization mode. This is an advanced setting -- the default of 2 is almost always enough. (default: 2) :param epsilon: Distance threshold within which a center will be considered to have converged. If all centers move less than this Euclidean distance, iterations are stopped. (default: 1e-4) :param initialModel: Initial cluster centers can be provided as a KMeansModel object rather than using the random or k-means|| initializationModel. (default: None) """ if runs != 1: warnings.warn("The param `runs` has no effect since Spark 2.0.0.") clusterInitialModel = [] if initialModel is not None: if not isinstance(initialModel, KMeansModel): raise Exception("initialModel is of "+str(type(initialModel))+". It needs " "to be of <type 'KMeansModel'>") clusterInitialModel = [_convert_to_vector(c) for c in initialModel.clusterCenters] model = callMLlibFunc("trainKMeansModel", rdd.map(_convert_to_vector), k, maxIterations, runs, initializationMode, seed, initializationSteps, epsilon, clusterInitialModel) centers = callJavaFunc(rdd.context, model.clusterCenters) return KMeansModel([c.toArray() for c in centers])
python
def train(cls, rdd, k, maxIterations=100, runs=1, initializationMode="k-means||", seed=None, initializationSteps=2, epsilon=1e-4, initialModel=None): """ Train a k-means clustering model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: Number of clusters to create. :param maxIterations: Maximum number of iterations allowed. (default: 100) :param runs: This param has no effect since Spark 2.0.0. :param initializationMode: The initialization algorithm. This can be either "random" or "k-means||". (default: "k-means||") :param seed: Random seed value for cluster initialization. Set as None to generate seed based on system time. (default: None) :param initializationSteps: Number of steps for the k-means|| initialization mode. This is an advanced setting -- the default of 2 is almost always enough. (default: 2) :param epsilon: Distance threshold within which a center will be considered to have converged. If all centers move less than this Euclidean distance, iterations are stopped. (default: 1e-4) :param initialModel: Initial cluster centers can be provided as a KMeansModel object rather than using the random or k-means|| initializationModel. (default: None) """ if runs != 1: warnings.warn("The param `runs` has no effect since Spark 2.0.0.") clusterInitialModel = [] if initialModel is not None: if not isinstance(initialModel, KMeansModel): raise Exception("initialModel is of "+str(type(initialModel))+". It needs " "to be of <type 'KMeansModel'>") clusterInitialModel = [_convert_to_vector(c) for c in initialModel.clusterCenters] model = callMLlibFunc("trainKMeansModel", rdd.map(_convert_to_vector), k, maxIterations, runs, initializationMode, seed, initializationSteps, epsilon, clusterInitialModel) centers = callJavaFunc(rdd.context, model.clusterCenters) return KMeansModel([c.toArray() for c in centers])
[ "def", "train", "(", "cls", ",", "rdd", ",", "k", ",", "maxIterations", "=", "100", ",", "runs", "=", "1", ",", "initializationMode", "=", "\"k-means||\"", ",", "seed", "=", "None", ",", "initializationSteps", "=", "2", ",", "epsilon", "=", "1e-4", ",", "initialModel", "=", "None", ")", ":", "if", "runs", "!=", "1", ":", "warnings", ".", "warn", "(", "\"The param `runs` has no effect since Spark 2.0.0.\"", ")", "clusterInitialModel", "=", "[", "]", "if", "initialModel", "is", "not", "None", ":", "if", "not", "isinstance", "(", "initialModel", ",", "KMeansModel", ")", ":", "raise", "Exception", "(", "\"initialModel is of \"", "+", "str", "(", "type", "(", "initialModel", ")", ")", "+", "\". It needs \"", "\"to be of <type 'KMeansModel'>\"", ")", "clusterInitialModel", "=", "[", "_convert_to_vector", "(", "c", ")", "for", "c", "in", "initialModel", ".", "clusterCenters", "]", "model", "=", "callMLlibFunc", "(", "\"trainKMeansModel\"", ",", "rdd", ".", "map", "(", "_convert_to_vector", ")", ",", "k", ",", "maxIterations", ",", "runs", ",", "initializationMode", ",", "seed", ",", "initializationSteps", ",", "epsilon", ",", "clusterInitialModel", ")", "centers", "=", "callJavaFunc", "(", "rdd", ".", "context", ",", "model", ".", "clusterCenters", ")", "return", "KMeansModel", "(", "[", "c", ".", "toArray", "(", ")", "for", "c", "in", "centers", "]", ")" ]
Train a k-means clustering model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: Number of clusters to create. :param maxIterations: Maximum number of iterations allowed. (default: 100) :param runs: This param has no effect since Spark 2.0.0. :param initializationMode: The initialization algorithm. This can be either "random" or "k-means||". (default: "k-means||") :param seed: Random seed value for cluster initialization. Set as None to generate seed based on system time. (default: None) :param initializationSteps: Number of steps for the k-means|| initialization mode. This is an advanced setting -- the default of 2 is almost always enough. (default: 2) :param epsilon: Distance threshold within which a center will be considered to have converged. If all centers move less than this Euclidean distance, iterations are stopped. (default: 1e-4) :param initialModel: Initial cluster centers can be provided as a KMeansModel object rather than using the random or k-means|| initializationModel. (default: None)
[ "Train", "a", "k", "-", "means", "clustering", "model", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L307-L357
apache/spark
python/pyspark/mllib/clustering.py
GaussianMixture.train
def train(cls, rdd, k, convergenceTol=1e-3, maxIterations=100, seed=None, initialModel=None): """ Train a Gaussian Mixture clustering model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: Number of independent Gaussians in the mixture model. :param convergenceTol: Maximum change in log-likelihood at which convergence is considered to have occurred. (default: 1e-3) :param maxIterations: Maximum number of iterations allowed. (default: 100) :param seed: Random seed for initial Gaussian distribution. Set as None to generate seed based on system time. (default: None) :param initialModel: Initial GMM starting point, bypassing the random initialization. (default: None) """ initialModelWeights = None initialModelMu = None initialModelSigma = None if initialModel is not None: if initialModel.k != k: raise Exception("Mismatched cluster count, initialModel.k = %s, however k = %s" % (initialModel.k, k)) initialModelWeights = list(initialModel.weights) initialModelMu = [initialModel.gaussians[i].mu for i in range(initialModel.k)] initialModelSigma = [initialModel.gaussians[i].sigma for i in range(initialModel.k)] java_model = callMLlibFunc("trainGaussianMixtureModel", rdd.map(_convert_to_vector), k, convergenceTol, maxIterations, seed, initialModelWeights, initialModelMu, initialModelSigma) return GaussianMixtureModel(java_model)
python
def train(cls, rdd, k, convergenceTol=1e-3, maxIterations=100, seed=None, initialModel=None): """ Train a Gaussian Mixture clustering model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: Number of independent Gaussians in the mixture model. :param convergenceTol: Maximum change in log-likelihood at which convergence is considered to have occurred. (default: 1e-3) :param maxIterations: Maximum number of iterations allowed. (default: 100) :param seed: Random seed for initial Gaussian distribution. Set as None to generate seed based on system time. (default: None) :param initialModel: Initial GMM starting point, bypassing the random initialization. (default: None) """ initialModelWeights = None initialModelMu = None initialModelSigma = None if initialModel is not None: if initialModel.k != k: raise Exception("Mismatched cluster count, initialModel.k = %s, however k = %s" % (initialModel.k, k)) initialModelWeights = list(initialModel.weights) initialModelMu = [initialModel.gaussians[i].mu for i in range(initialModel.k)] initialModelSigma = [initialModel.gaussians[i].sigma for i in range(initialModel.k)] java_model = callMLlibFunc("trainGaussianMixtureModel", rdd.map(_convert_to_vector), k, convergenceTol, maxIterations, seed, initialModelWeights, initialModelMu, initialModelSigma) return GaussianMixtureModel(java_model)
[ "def", "train", "(", "cls", ",", "rdd", ",", "k", ",", "convergenceTol", "=", "1e-3", ",", "maxIterations", "=", "100", ",", "seed", "=", "None", ",", "initialModel", "=", "None", ")", ":", "initialModelWeights", "=", "None", "initialModelMu", "=", "None", "initialModelSigma", "=", "None", "if", "initialModel", "is", "not", "None", ":", "if", "initialModel", ".", "k", "!=", "k", ":", "raise", "Exception", "(", "\"Mismatched cluster count, initialModel.k = %s, however k = %s\"", "%", "(", "initialModel", ".", "k", ",", "k", ")", ")", "initialModelWeights", "=", "list", "(", "initialModel", ".", "weights", ")", "initialModelMu", "=", "[", "initialModel", ".", "gaussians", "[", "i", "]", ".", "mu", "for", "i", "in", "range", "(", "initialModel", ".", "k", ")", "]", "initialModelSigma", "=", "[", "initialModel", ".", "gaussians", "[", "i", "]", ".", "sigma", "for", "i", "in", "range", "(", "initialModel", ".", "k", ")", "]", "java_model", "=", "callMLlibFunc", "(", "\"trainGaussianMixtureModel\"", ",", "rdd", ".", "map", "(", "_convert_to_vector", ")", ",", "k", ",", "convergenceTol", ",", "maxIterations", ",", "seed", ",", "initialModelWeights", ",", "initialModelMu", ",", "initialModelSigma", ")", "return", "GaussianMixtureModel", "(", "java_model", ")" ]
Train a Gaussian Mixture clustering model. :param rdd: Training points as an `RDD` of `Vector` or convertible sequence types. :param k: Number of independent Gaussians in the mixture model. :param convergenceTol: Maximum change in log-likelihood at which convergence is considered to have occurred. (default: 1e-3) :param maxIterations: Maximum number of iterations allowed. (default: 100) :param seed: Random seed for initial Gaussian distribution. Set as None to generate seed based on system time. (default: None) :param initialModel: Initial GMM starting point, bypassing the random initialization. (default: None)
[ "Train", "a", "Gaussian", "Mixture", "clustering", "model", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L515-L553
apache/spark
python/pyspark/mllib/clustering.py
PowerIterationClusteringModel.load
def load(cls, sc, path): """ Load a model from the given path. """ model = cls._load_java(sc, path) wrapper =\ sc._jvm.org.apache.spark.mllib.api.python.PowerIterationClusteringModelWrapper(model) return PowerIterationClusteringModel(wrapper)
python
def load(cls, sc, path): """ Load a model from the given path. """ model = cls._load_java(sc, path) wrapper =\ sc._jvm.org.apache.spark.mllib.api.python.PowerIterationClusteringModelWrapper(model) return PowerIterationClusteringModel(wrapper)
[ "def", "load", "(", "cls", ",", "sc", ",", "path", ")", ":", "model", "=", "cls", ".", "_load_java", "(", "sc", ",", "path", ")", "wrapper", "=", "sc", ".", "_jvm", ".", "org", ".", "apache", ".", "spark", ".", "mllib", ".", "api", ".", "python", ".", "PowerIterationClusteringModelWrapper", "(", "model", ")", "return", "PowerIterationClusteringModel", "(", "wrapper", ")" ]
Load a model from the given path.
[ "Load", "a", "model", "from", "the", "given", "path", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L625-L632
apache/spark
python/pyspark/mllib/clustering.py
PowerIterationClustering.train
def train(cls, rdd, k, maxIterations=100, initMode="random"): r""" :param rdd: An RDD of (i, j, s\ :sub:`ij`\) tuples representing the affinity matrix, which is the matrix A in the PIC paper. The similarity s\ :sub:`ij`\ must be nonnegative. This is a symmetric matrix and hence s\ :sub:`ij`\ = s\ :sub:`ji`\ For any (i, j) with nonzero similarity, there should be either (i, j, s\ :sub:`ij`\) or (j, i, s\ :sub:`ji`\) in the input. Tuples with i = j are ignored, because it is assumed s\ :sub:`ij`\ = 0.0. :param k: Number of clusters. :param maxIterations: Maximum number of iterations of the PIC algorithm. (default: 100) :param initMode: Initialization mode. This can be either "random" to use a random vector as vertex properties, or "degree" to use normalized sum similarities. (default: "random") """ model = callMLlibFunc("trainPowerIterationClusteringModel", rdd.map(_convert_to_vector), int(k), int(maxIterations), initMode) return PowerIterationClusteringModel(model)
python
def train(cls, rdd, k, maxIterations=100, initMode="random"): r""" :param rdd: An RDD of (i, j, s\ :sub:`ij`\) tuples representing the affinity matrix, which is the matrix A in the PIC paper. The similarity s\ :sub:`ij`\ must be nonnegative. This is a symmetric matrix and hence s\ :sub:`ij`\ = s\ :sub:`ji`\ For any (i, j) with nonzero similarity, there should be either (i, j, s\ :sub:`ij`\) or (j, i, s\ :sub:`ji`\) in the input. Tuples with i = j are ignored, because it is assumed s\ :sub:`ij`\ = 0.0. :param k: Number of clusters. :param maxIterations: Maximum number of iterations of the PIC algorithm. (default: 100) :param initMode: Initialization mode. This can be either "random" to use a random vector as vertex properties, or "degree" to use normalized sum similarities. (default: "random") """ model = callMLlibFunc("trainPowerIterationClusteringModel", rdd.map(_convert_to_vector), int(k), int(maxIterations), initMode) return PowerIterationClusteringModel(model)
[ "def", "train", "(", "cls", ",", "rdd", ",", "k", ",", "maxIterations", "=", "100", ",", "initMode", "=", "\"random\"", ")", ":", "model", "=", "callMLlibFunc", "(", "\"trainPowerIterationClusteringModel\"", ",", "rdd", ".", "map", "(", "_convert_to_vector", ")", ",", "int", "(", "k", ")", ",", "int", "(", "maxIterations", ")", ",", "initMode", ")", "return", "PowerIterationClusteringModel", "(", "model", ")" ]
r""" :param rdd: An RDD of (i, j, s\ :sub:`ij`\) tuples representing the affinity matrix, which is the matrix A in the PIC paper. The similarity s\ :sub:`ij`\ must be nonnegative. This is a symmetric matrix and hence s\ :sub:`ij`\ = s\ :sub:`ji`\ For any (i, j) with nonzero similarity, there should be either (i, j, s\ :sub:`ij`\) or (j, i, s\ :sub:`ji`\) in the input. Tuples with i = j are ignored, because it is assumed s\ :sub:`ij`\ = 0.0. :param k: Number of clusters. :param maxIterations: Maximum number of iterations of the PIC algorithm. (default: 100) :param initMode: Initialization mode. This can be either "random" to use a random vector as vertex properties, or "degree" to use normalized sum similarities. (default: "random")
[ "r", ":", "param", "rdd", ":", "An", "RDD", "of", "(", "i", "j", "s", "\\", ":", "sub", ":", "ij", "\\", ")", "tuples", "representing", "the", "affinity", "matrix", "which", "is", "the", "matrix", "A", "in", "the", "PIC", "paper", ".", "The", "similarity", "s", "\\", ":", "sub", ":", "ij", "\\", "must", "be", "nonnegative", ".", "This", "is", "a", "symmetric", "matrix", "and", "hence", "s", "\\", ":", "sub", ":", "ij", "\\", "=", "s", "\\", ":", "sub", ":", "ji", "\\", "For", "any", "(", "i", "j", ")", "with", "nonzero", "similarity", "there", "should", "be", "either", "(", "i", "j", "s", "\\", ":", "sub", ":", "ij", "\\", ")", "or", "(", "j", "i", "s", "\\", ":", "sub", ":", "ji", "\\", ")", "in", "the", "input", ".", "Tuples", "with", "i", "=", "j", "are", "ignored", "because", "it", "is", "assumed", "s", "\\", ":", "sub", ":", "ij", "\\", "=", "0", ".", "0", ".", ":", "param", "k", ":", "Number", "of", "clusters", ".", ":", "param", "maxIterations", ":", "Maximum", "number", "of", "iterations", "of", "the", "PIC", "algorithm", ".", "(", "default", ":", "100", ")", ":", "param", "initMode", ":", "Initialization", "mode", ".", "This", "can", "be", "either", "random", "to", "use", "a", "random", "vector", "as", "vertex", "properties", "or", "degree", "to", "use", "normalized", "sum", "similarities", ".", "(", "default", ":", "random", ")" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L648-L671
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeansModel.update
def update(self, data, decayFactor, timeUnit): """Update the centroids, according to data :param data: RDD with new data for the model update. :param decayFactor: Forgetfulness of the previous centroids. :param timeUnit: Can be "batches" or "points". If points, then the decay factor is raised to the power of number of new points and if batches, then decay factor will be used as is. """ if not isinstance(data, RDD): raise TypeError("Data should be of an RDD, got %s." % type(data)) data = data.map(_convert_to_vector) decayFactor = float(decayFactor) if timeUnit not in ["batches", "points"]: raise ValueError( "timeUnit should be 'batches' or 'points', got %s." % timeUnit) vectorCenters = [_convert_to_vector(center) for center in self.centers] updatedModel = callMLlibFunc( "updateStreamingKMeansModel", vectorCenters, self._clusterWeights, data, decayFactor, timeUnit) self.centers = array(updatedModel[0]) self._clusterWeights = list(updatedModel[1]) return self
python
def update(self, data, decayFactor, timeUnit): """Update the centroids, according to data :param data: RDD with new data for the model update. :param decayFactor: Forgetfulness of the previous centroids. :param timeUnit: Can be "batches" or "points". If points, then the decay factor is raised to the power of number of new points and if batches, then decay factor will be used as is. """ if not isinstance(data, RDD): raise TypeError("Data should be of an RDD, got %s." % type(data)) data = data.map(_convert_to_vector) decayFactor = float(decayFactor) if timeUnit not in ["batches", "points"]: raise ValueError( "timeUnit should be 'batches' or 'points', got %s." % timeUnit) vectorCenters = [_convert_to_vector(center) for center in self.centers] updatedModel = callMLlibFunc( "updateStreamingKMeansModel", vectorCenters, self._clusterWeights, data, decayFactor, timeUnit) self.centers = array(updatedModel[0]) self._clusterWeights = list(updatedModel[1]) return self
[ "def", "update", "(", "self", ",", "data", ",", "decayFactor", ",", "timeUnit", ")", ":", "if", "not", "isinstance", "(", "data", ",", "RDD", ")", ":", "raise", "TypeError", "(", "\"Data should be of an RDD, got %s.\"", "%", "type", "(", "data", ")", ")", "data", "=", "data", ".", "map", "(", "_convert_to_vector", ")", "decayFactor", "=", "float", "(", "decayFactor", ")", "if", "timeUnit", "not", "in", "[", "\"batches\"", ",", "\"points\"", "]", ":", "raise", "ValueError", "(", "\"timeUnit should be 'batches' or 'points', got %s.\"", "%", "timeUnit", ")", "vectorCenters", "=", "[", "_convert_to_vector", "(", "center", ")", "for", "center", "in", "self", ".", "centers", "]", "updatedModel", "=", "callMLlibFunc", "(", "\"updateStreamingKMeansModel\"", ",", "vectorCenters", ",", "self", ".", "_clusterWeights", ",", "data", ",", "decayFactor", ",", "timeUnit", ")", "self", ".", "centers", "=", "array", "(", "updatedModel", "[", "0", "]", ")", "self", ".", "_clusterWeights", "=", "list", "(", "updatedModel", "[", "1", "]", ")", "return", "self" ]
Update the centroids, according to data :param data: RDD with new data for the model update. :param decayFactor: Forgetfulness of the previous centroids. :param timeUnit: Can be "batches" or "points". If points, then the decay factor is raised to the power of number of new points and if batches, then decay factor will be used as is.
[ "Update", "the", "centroids", "according", "to", "data" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L752-L777
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeans.setHalfLife
def setHalfLife(self, halfLife, timeUnit): """ Set number of batches after which the centroids of that particular batch has half the weightage. """ self._timeUnit = timeUnit self._decayFactor = exp(log(0.5) / halfLife) return self
python
def setHalfLife(self, halfLife, timeUnit): """ Set number of batches after which the centroids of that particular batch has half the weightage. """ self._timeUnit = timeUnit self._decayFactor = exp(log(0.5) / halfLife) return self
[ "def", "setHalfLife", "(", "self", ",", "halfLife", ",", "timeUnit", ")", ":", "self", ".", "_timeUnit", "=", "timeUnit", "self", ".", "_decayFactor", "=", "exp", "(", "log", "(", "0.5", ")", "/", "halfLife", ")", "return", "self" ]
Set number of batches after which the centroids of that particular batch has half the weightage.
[ "Set", "number", "of", "batches", "after", "which", "the", "centroids", "of", "that", "particular", "batch", "has", "half", "the", "weightage", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L838-L845
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeans.setInitialCenters
def setInitialCenters(self, centers, weights): """ Set initial centers. Should be set before calling trainOn. """ self._model = StreamingKMeansModel(centers, weights) return self
python
def setInitialCenters(self, centers, weights): """ Set initial centers. Should be set before calling trainOn. """ self._model = StreamingKMeansModel(centers, weights) return self
[ "def", "setInitialCenters", "(", "self", ",", "centers", ",", "weights", ")", ":", "self", ".", "_model", "=", "StreamingKMeansModel", "(", "centers", ",", "weights", ")", "return", "self" ]
Set initial centers. Should be set before calling trainOn.
[ "Set", "initial", "centers", ".", "Should", "be", "set", "before", "calling", "trainOn", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L848-L853
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeans.setRandomCenters
def setRandomCenters(self, dim, weight, seed): """ Set the initial centres to be random samples from a gaussian population with constant weights. """ rng = random.RandomState(seed) clusterCenters = rng.randn(self._k, dim) clusterWeights = tile(weight, self._k) self._model = StreamingKMeansModel(clusterCenters, clusterWeights) return self
python
def setRandomCenters(self, dim, weight, seed): """ Set the initial centres to be random samples from a gaussian population with constant weights. """ rng = random.RandomState(seed) clusterCenters = rng.randn(self._k, dim) clusterWeights = tile(weight, self._k) self._model = StreamingKMeansModel(clusterCenters, clusterWeights) return self
[ "def", "setRandomCenters", "(", "self", ",", "dim", ",", "weight", ",", "seed", ")", ":", "rng", "=", "random", ".", "RandomState", "(", "seed", ")", "clusterCenters", "=", "rng", ".", "randn", "(", "self", ".", "_k", ",", "dim", ")", "clusterWeights", "=", "tile", "(", "weight", ",", "self", ".", "_k", ")", "self", ".", "_model", "=", "StreamingKMeansModel", "(", "clusterCenters", ",", "clusterWeights", ")", "return", "self" ]
Set the initial centres to be random samples from a gaussian population with constant weights.
[ "Set", "the", "initial", "centres", "to", "be", "random", "samples", "from", "a", "gaussian", "population", "with", "constant", "weights", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L856-L865
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeans.trainOn
def trainOn(self, dstream): """Train the model on the incoming dstream.""" self._validate(dstream) def update(rdd): self._model.update(rdd, self._decayFactor, self._timeUnit) dstream.foreachRDD(update)
python
def trainOn(self, dstream): """Train the model on the incoming dstream.""" self._validate(dstream) def update(rdd): self._model.update(rdd, self._decayFactor, self._timeUnit) dstream.foreachRDD(update)
[ "def", "trainOn", "(", "self", ",", "dstream", ")", ":", "self", ".", "_validate", "(", "dstream", ")", "def", "update", "(", "rdd", ")", ":", "self", ".", "_model", ".", "update", "(", "rdd", ",", "self", ".", "_decayFactor", ",", "self", ".", "_timeUnit", ")", "dstream", ".", "foreachRDD", "(", "update", ")" ]
Train the model on the incoming dstream.
[ "Train", "the", "model", "on", "the", "incoming", "dstream", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L868-L875
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeans.predictOn
def predictOn(self, dstream): """ Make predictions on a dstream. Returns a transformed dstream object """ self._validate(dstream) return dstream.map(lambda x: self._model.predict(x))
python
def predictOn(self, dstream): """ Make predictions on a dstream. Returns a transformed dstream object """ self._validate(dstream) return dstream.map(lambda x: self._model.predict(x))
[ "def", "predictOn", "(", "self", ",", "dstream", ")", ":", "self", ".", "_validate", "(", "dstream", ")", "return", "dstream", ".", "map", "(", "lambda", "x", ":", "self", ".", "_model", ".", "predict", "(", "x", ")", ")" ]
Make predictions on a dstream. Returns a transformed dstream object
[ "Make", "predictions", "on", "a", "dstream", ".", "Returns", "a", "transformed", "dstream", "object" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L878-L884
apache/spark
python/pyspark/mllib/clustering.py
StreamingKMeans.predictOnValues
def predictOnValues(self, dstream): """ Make predictions on a keyed dstream. Returns a transformed dstream object. """ self._validate(dstream) return dstream.mapValues(lambda x: self._model.predict(x))
python
def predictOnValues(self, dstream): """ Make predictions on a keyed dstream. Returns a transformed dstream object. """ self._validate(dstream) return dstream.mapValues(lambda x: self._model.predict(x))
[ "def", "predictOnValues", "(", "self", ",", "dstream", ")", ":", "self", ".", "_validate", "(", "dstream", ")", "return", "dstream", ".", "mapValues", "(", "lambda", "x", ":", "self", ".", "_model", ".", "predict", "(", "x", ")", ")" ]
Make predictions on a keyed dstream. Returns a transformed dstream object.
[ "Make", "predictions", "on", "a", "keyed", "dstream", ".", "Returns", "a", "transformed", "dstream", "object", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L887-L893
apache/spark
python/pyspark/mllib/clustering.py
LDAModel.describeTopics
def describeTopics(self, maxTermsPerTopic=None): """Return the topics described by weighted terms. WARNING: If vocabSize and k are large, this can return a large object! :param maxTermsPerTopic: Maximum number of terms to collect for each topic. (default: vocabulary size) :return: Array over topics. Each topic is represented as a pair of matching arrays: (term indices, term weights in topic). Each topic's terms are sorted in order of decreasing weight. """ if maxTermsPerTopic is None: topics = self.call("describeTopics") else: topics = self.call("describeTopics", maxTermsPerTopic) return topics
python
def describeTopics(self, maxTermsPerTopic=None): """Return the topics described by weighted terms. WARNING: If vocabSize and k are large, this can return a large object! :param maxTermsPerTopic: Maximum number of terms to collect for each topic. (default: vocabulary size) :return: Array over topics. Each topic is represented as a pair of matching arrays: (term indices, term weights in topic). Each topic's terms are sorted in order of decreasing weight. """ if maxTermsPerTopic is None: topics = self.call("describeTopics") else: topics = self.call("describeTopics", maxTermsPerTopic) return topics
[ "def", "describeTopics", "(", "self", ",", "maxTermsPerTopic", "=", "None", ")", ":", "if", "maxTermsPerTopic", "is", "None", ":", "topics", "=", "self", ".", "call", "(", "\"describeTopics\"", ")", "else", ":", "topics", "=", "self", ".", "call", "(", "\"describeTopics\"", ",", "maxTermsPerTopic", ")", "return", "topics" ]
Return the topics described by weighted terms. WARNING: If vocabSize and k are large, this can return a large object! :param maxTermsPerTopic: Maximum number of terms to collect for each topic. (default: vocabulary size) :return: Array over topics. Each topic is represented as a pair of matching arrays: (term indices, term weights in topic). Each topic's terms are sorted in order of decreasing weight.
[ "Return", "the", "topics", "described", "by", "weighted", "terms", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L955-L972
apache/spark
python/pyspark/mllib/clustering.py
LDAModel.load
def load(cls, sc, path): """Load the LDAModel from disk. :param sc: SparkContext. :param path: Path to where the model is stored. """ if not isinstance(sc, SparkContext): raise TypeError("sc should be a SparkContext, got type %s" % type(sc)) if not isinstance(path, basestring): raise TypeError("path should be a basestring, got type %s" % type(path)) model = callMLlibFunc("loadLDAModel", sc, path) return LDAModel(model)
python
def load(cls, sc, path): """Load the LDAModel from disk. :param sc: SparkContext. :param path: Path to where the model is stored. """ if not isinstance(sc, SparkContext): raise TypeError("sc should be a SparkContext, got type %s" % type(sc)) if not isinstance(path, basestring): raise TypeError("path should be a basestring, got type %s" % type(path)) model = callMLlibFunc("loadLDAModel", sc, path) return LDAModel(model)
[ "def", "load", "(", "cls", ",", "sc", ",", "path", ")", ":", "if", "not", "isinstance", "(", "sc", ",", "SparkContext", ")", ":", "raise", "TypeError", "(", "\"sc should be a SparkContext, got type %s\"", "%", "type", "(", "sc", ")", ")", "if", "not", "isinstance", "(", "path", ",", "basestring", ")", ":", "raise", "TypeError", "(", "\"path should be a basestring, got type %s\"", "%", "type", "(", "path", ")", ")", "model", "=", "callMLlibFunc", "(", "\"loadLDAModel\"", ",", "sc", ",", "path", ")", "return", "LDAModel", "(", "model", ")" ]
Load the LDAModel from disk. :param sc: SparkContext. :param path: Path to where the model is stored.
[ "Load", "the", "LDAModel", "from", "disk", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L976-L989
apache/spark
python/pyspark/mllib/clustering.py
LDA.train
def train(cls, rdd, k=10, maxIterations=20, docConcentration=-1.0, topicConcentration=-1.0, seed=None, checkpointInterval=10, optimizer="em"): """Train a LDA model. :param rdd: RDD of documents, which are tuples of document IDs and term (word) count vectors. The term count vectors are "bags of words" with a fixed-size vocabulary (where the vocabulary size is the length of the vector). Document IDs must be unique and >= 0. :param k: Number of topics to infer, i.e., the number of soft cluster centers. (default: 10) :param maxIterations: Maximum number of iterations allowed. (default: 20) :param docConcentration: Concentration parameter (commonly named "alpha") for the prior placed on documents' distributions over topics ("theta"). (default: -1.0) :param topicConcentration: Concentration parameter (commonly named "beta" or "eta") for the prior placed on topics' distributions over terms. (default: -1.0) :param seed: Random seed for cluster initialization. Set as None to generate seed based on system time. (default: None) :param checkpointInterval: Period (in iterations) between checkpoints. (default: 10) :param optimizer: LDAOptimizer used to perform the actual calculation. Currently "em", "online" are supported. (default: "em") """ model = callMLlibFunc("trainLDAModel", rdd, k, maxIterations, docConcentration, topicConcentration, seed, checkpointInterval, optimizer) return LDAModel(model)
python
def train(cls, rdd, k=10, maxIterations=20, docConcentration=-1.0, topicConcentration=-1.0, seed=None, checkpointInterval=10, optimizer="em"): """Train a LDA model. :param rdd: RDD of documents, which are tuples of document IDs and term (word) count vectors. The term count vectors are "bags of words" with a fixed-size vocabulary (where the vocabulary size is the length of the vector). Document IDs must be unique and >= 0. :param k: Number of topics to infer, i.e., the number of soft cluster centers. (default: 10) :param maxIterations: Maximum number of iterations allowed. (default: 20) :param docConcentration: Concentration parameter (commonly named "alpha") for the prior placed on documents' distributions over topics ("theta"). (default: -1.0) :param topicConcentration: Concentration parameter (commonly named "beta" or "eta") for the prior placed on topics' distributions over terms. (default: -1.0) :param seed: Random seed for cluster initialization. Set as None to generate seed based on system time. (default: None) :param checkpointInterval: Period (in iterations) between checkpoints. (default: 10) :param optimizer: LDAOptimizer used to perform the actual calculation. Currently "em", "online" are supported. (default: "em") """ model = callMLlibFunc("trainLDAModel", rdd, k, maxIterations, docConcentration, topicConcentration, seed, checkpointInterval, optimizer) return LDAModel(model)
[ "def", "train", "(", "cls", ",", "rdd", ",", "k", "=", "10", ",", "maxIterations", "=", "20", ",", "docConcentration", "=", "-", "1.0", ",", "topicConcentration", "=", "-", "1.0", ",", "seed", "=", "None", ",", "checkpointInterval", "=", "10", ",", "optimizer", "=", "\"em\"", ")", ":", "model", "=", "callMLlibFunc", "(", "\"trainLDAModel\"", ",", "rdd", ",", "k", ",", "maxIterations", ",", "docConcentration", ",", "topicConcentration", ",", "seed", ",", "checkpointInterval", ",", "optimizer", ")", "return", "LDAModel", "(", "model", ")" ]
Train a LDA model. :param rdd: RDD of documents, which are tuples of document IDs and term (word) count vectors. The term count vectors are "bags of words" with a fixed-size vocabulary (where the vocabulary size is the length of the vector). Document IDs must be unique and >= 0. :param k: Number of topics to infer, i.e., the number of soft cluster centers. (default: 10) :param maxIterations: Maximum number of iterations allowed. (default: 20) :param docConcentration: Concentration parameter (commonly named "alpha") for the prior placed on documents' distributions over topics ("theta"). (default: -1.0) :param topicConcentration: Concentration parameter (commonly named "beta" or "eta") for the prior placed on topics' distributions over terms. (default: -1.0) :param seed: Random seed for cluster initialization. Set as None to generate seed based on system time. (default: None) :param checkpointInterval: Period (in iterations) between checkpoints. (default: 10) :param optimizer: LDAOptimizer used to perform the actual calculation. Currently "em", "online" are supported. (default: "em")
[ "Train", "a", "LDA", "model", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/clustering.py#L999-L1039
apache/spark
python/pyspark/mllib/common.py
_to_java_object_rdd
def _to_java_object_rdd(rdd): """ Return a JavaRDD of Object by unpickling It will convert each Python object into Java object by Pyrolite, whenever the RDD is serialized in batch or not. """ rdd = rdd._reserialize(AutoBatchedSerializer(PickleSerializer())) return rdd.ctx._jvm.org.apache.spark.mllib.api.python.SerDe.pythonToJava(rdd._jrdd, True)
python
def _to_java_object_rdd(rdd): """ Return a JavaRDD of Object by unpickling It will convert each Python object into Java object by Pyrolite, whenever the RDD is serialized in batch or not. """ rdd = rdd._reserialize(AutoBatchedSerializer(PickleSerializer())) return rdd.ctx._jvm.org.apache.spark.mllib.api.python.SerDe.pythonToJava(rdd._jrdd, True)
[ "def", "_to_java_object_rdd", "(", "rdd", ")", ":", "rdd", "=", "rdd", ".", "_reserialize", "(", "AutoBatchedSerializer", "(", "PickleSerializer", "(", ")", ")", ")", "return", "rdd", ".", "ctx", ".", "_jvm", ".", "org", ".", "apache", ".", "spark", ".", "mllib", ".", "api", ".", "python", ".", "SerDe", ".", "pythonToJava", "(", "rdd", ".", "_jrdd", ",", "True", ")" ]
Return a JavaRDD of Object by unpickling It will convert each Python object into Java object by Pyrolite, whenever the RDD is serialized in batch or not.
[ "Return", "a", "JavaRDD", "of", "Object", "by", "unpickling" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/common.py#L62-L69
apache/spark
python/pyspark/mllib/common.py
_py2java
def _py2java(sc, obj): """ Convert Python object into Java """ if isinstance(obj, RDD): obj = _to_java_object_rdd(obj) elif isinstance(obj, DataFrame): obj = obj._jdf elif isinstance(obj, SparkContext): obj = obj._jsc elif isinstance(obj, list): obj = [_py2java(sc, x) for x in obj] elif isinstance(obj, JavaObject): pass elif isinstance(obj, (int, long, float, bool, bytes, unicode)): pass else: data = bytearray(PickleSerializer().dumps(obj)) obj = sc._jvm.org.apache.spark.mllib.api.python.SerDe.loads(data) return obj
python
def _py2java(sc, obj): """ Convert Python object into Java """ if isinstance(obj, RDD): obj = _to_java_object_rdd(obj) elif isinstance(obj, DataFrame): obj = obj._jdf elif isinstance(obj, SparkContext): obj = obj._jsc elif isinstance(obj, list): obj = [_py2java(sc, x) for x in obj] elif isinstance(obj, JavaObject): pass elif isinstance(obj, (int, long, float, bool, bytes, unicode)): pass else: data = bytearray(PickleSerializer().dumps(obj)) obj = sc._jvm.org.apache.spark.mllib.api.python.SerDe.loads(data) return obj
[ "def", "_py2java", "(", "sc", ",", "obj", ")", ":", "if", "isinstance", "(", "obj", ",", "RDD", ")", ":", "obj", "=", "_to_java_object_rdd", "(", "obj", ")", "elif", "isinstance", "(", "obj", ",", "DataFrame", ")", ":", "obj", "=", "obj", ".", "_jdf", "elif", "isinstance", "(", "obj", ",", "SparkContext", ")", ":", "obj", "=", "obj", ".", "_jsc", "elif", "isinstance", "(", "obj", ",", "list", ")", ":", "obj", "=", "[", "_py2java", "(", "sc", ",", "x", ")", "for", "x", "in", "obj", "]", "elif", "isinstance", "(", "obj", ",", "JavaObject", ")", ":", "pass", "elif", "isinstance", "(", "obj", ",", "(", "int", ",", "long", ",", "float", ",", "bool", ",", "bytes", ",", "unicode", ")", ")", ":", "pass", "else", ":", "data", "=", "bytearray", "(", "PickleSerializer", "(", ")", ".", "dumps", "(", "obj", ")", ")", "obj", "=", "sc", ".", "_jvm", ".", "org", ".", "apache", ".", "spark", ".", "mllib", ".", "api", ".", "python", ".", "SerDe", ".", "loads", "(", "data", ")", "return", "obj" ]
Convert Python object into Java
[ "Convert", "Python", "object", "into", "Java" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/common.py#L72-L89
apache/spark
python/pyspark/mllib/common.py
callJavaFunc
def callJavaFunc(sc, func, *args): """ Call Java Function """ args = [_py2java(sc, a) for a in args] return _java2py(sc, func(*args))
python
def callJavaFunc(sc, func, *args): """ Call Java Function """ args = [_py2java(sc, a) for a in args] return _java2py(sc, func(*args))
[ "def", "callJavaFunc", "(", "sc", ",", "func", ",", "*", "args", ")", ":", "args", "=", "[", "_py2java", "(", "sc", ",", "a", ")", "for", "a", "in", "args", "]", "return", "_java2py", "(", "sc", ",", "func", "(", "*", "args", ")", ")" ]
Call Java Function
[ "Call", "Java", "Function" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/common.py#L120-L123
apache/spark
python/pyspark/mllib/common.py
callMLlibFunc
def callMLlibFunc(name, *args): """ Call API in PythonMLLibAPI """ sc = SparkContext.getOrCreate() api = getattr(sc._jvm.PythonMLLibAPI(), name) return callJavaFunc(sc, api, *args)
python
def callMLlibFunc(name, *args): """ Call API in PythonMLLibAPI """ sc = SparkContext.getOrCreate() api = getattr(sc._jvm.PythonMLLibAPI(), name) return callJavaFunc(sc, api, *args)
[ "def", "callMLlibFunc", "(", "name", ",", "*", "args", ")", ":", "sc", "=", "SparkContext", ".", "getOrCreate", "(", ")", "api", "=", "getattr", "(", "sc", ".", "_jvm", ".", "PythonMLLibAPI", "(", ")", ",", "name", ")", "return", "callJavaFunc", "(", "sc", ",", "api", ",", "*", "args", ")" ]
Call API in PythonMLLibAPI
[ "Call", "API", "in", "PythonMLLibAPI" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/common.py#L126-L130
apache/spark
python/pyspark/mllib/common.py
inherit_doc
def inherit_doc(cls): """ A decorator that makes a class inherit documentation from its parents. """ for name, func in vars(cls).items(): # only inherit docstring for public functions if name.startswith("_"): continue if not func.__doc__: for parent in cls.__bases__: parent_func = getattr(parent, name, None) if parent_func and getattr(parent_func, "__doc__", None): func.__doc__ = parent_func.__doc__ break return cls
python
def inherit_doc(cls): """ A decorator that makes a class inherit documentation from its parents. """ for name, func in vars(cls).items(): # only inherit docstring for public functions if name.startswith("_"): continue if not func.__doc__: for parent in cls.__bases__: parent_func = getattr(parent, name, None) if parent_func and getattr(parent_func, "__doc__", None): func.__doc__ = parent_func.__doc__ break return cls
[ "def", "inherit_doc", "(", "cls", ")", ":", "for", "name", ",", "func", "in", "vars", "(", "cls", ")", ".", "items", "(", ")", ":", "# only inherit docstring for public functions", "if", "name", ".", "startswith", "(", "\"_\"", ")", ":", "continue", "if", "not", "func", ".", "__doc__", ":", "for", "parent", "in", "cls", ".", "__bases__", ":", "parent_func", "=", "getattr", "(", "parent", ",", "name", ",", "None", ")", "if", "parent_func", "and", "getattr", "(", "parent_func", ",", "\"__doc__\"", ",", "None", ")", ":", "func", ".", "__doc__", "=", "parent_func", ".", "__doc__", "break", "return", "cls" ]
A decorator that makes a class inherit documentation from its parents.
[ "A", "decorator", "that", "makes", "a", "class", "inherit", "documentation", "from", "its", "parents", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/common.py#L149-L163
apache/spark
python/pyspark/mllib/common.py
JavaModelWrapper.call
def call(self, name, *a): """Call method of java_model""" return callJavaFunc(self._sc, getattr(self._java_model, name), *a)
python
def call(self, name, *a): """Call method of java_model""" return callJavaFunc(self._sc, getattr(self._java_model, name), *a)
[ "def", "call", "(", "self", ",", "name", ",", "*", "a", ")", ":", "return", "callJavaFunc", "(", "self", ".", "_sc", ",", "getattr", "(", "self", ".", "_java_model", ",", "name", ")", ",", "*", "a", ")" ]
Call method of java_model
[ "Call", "method", "of", "java_model" ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/mllib/common.py#L144-L146
apache/spark
python/pyspark/streaming/dstream.py
DStream.count
def count(self): """ Return a new DStream in which each RDD has a single element generated by counting each RDD of this DStream. """ return self.mapPartitions(lambda i: [sum(1 for _ in i)]).reduce(operator.add)
python
def count(self): """ Return a new DStream in which each RDD has a single element generated by counting each RDD of this DStream. """ return self.mapPartitions(lambda i: [sum(1 for _ in i)]).reduce(operator.add)
[ "def", "count", "(", "self", ")", ":", "return", "self", ".", "mapPartitions", "(", "lambda", "i", ":", "[", "sum", "(", "1", "for", "_", "in", "i", ")", "]", ")", ".", "reduce", "(", "operator", ".", "add", ")" ]
Return a new DStream in which each RDD has a single element generated by counting each RDD of this DStream.
[ "Return", "a", "new", "DStream", "in", "which", "each", "RDD", "has", "a", "single", "element", "generated", "by", "counting", "each", "RDD", "of", "this", "DStream", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L73-L78
apache/spark
python/pyspark/streaming/dstream.py
DStream.filter
def filter(self, f): """ Return a new DStream containing only the elements that satisfy predicate. """ def func(iterator): return filter(f, iterator) return self.mapPartitions(func, True)
python
def filter(self, f): """ Return a new DStream containing only the elements that satisfy predicate. """ def func(iterator): return filter(f, iterator) return self.mapPartitions(func, True)
[ "def", "filter", "(", "self", ",", "f", ")", ":", "def", "func", "(", "iterator", ")", ":", "return", "filter", "(", "f", ",", "iterator", ")", "return", "self", ".", "mapPartitions", "(", "func", ",", "True", ")" ]
Return a new DStream containing only the elements that satisfy predicate.
[ "Return", "a", "new", "DStream", "containing", "only", "the", "elements", "that", "satisfy", "predicate", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L80-L86
apache/spark
python/pyspark/streaming/dstream.py
DStream.map
def map(self, f, preservesPartitioning=False): """ Return a new DStream by applying a function to each element of DStream. """ def func(iterator): return map(f, iterator) return self.mapPartitions(func, preservesPartitioning)
python
def map(self, f, preservesPartitioning=False): """ Return a new DStream by applying a function to each element of DStream. """ def func(iterator): return map(f, iterator) return self.mapPartitions(func, preservesPartitioning)
[ "def", "map", "(", "self", ",", "f", ",", "preservesPartitioning", "=", "False", ")", ":", "def", "func", "(", "iterator", ")", ":", "return", "map", "(", "f", ",", "iterator", ")", "return", "self", ".", "mapPartitions", "(", "func", ",", "preservesPartitioning", ")" ]
Return a new DStream by applying a function to each element of DStream.
[ "Return", "a", "new", "DStream", "by", "applying", "a", "function", "to", "each", "element", "of", "DStream", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L97-L103
apache/spark
python/pyspark/streaming/dstream.py
DStream.mapPartitionsWithIndex
def mapPartitionsWithIndex(self, f, preservesPartitioning=False): """ Return a new DStream in which each RDD is generated by applying mapPartitionsWithIndex() to each RDDs of this DStream. """ return self.transform(lambda rdd: rdd.mapPartitionsWithIndex(f, preservesPartitioning))
python
def mapPartitionsWithIndex(self, f, preservesPartitioning=False): """ Return a new DStream in which each RDD is generated by applying mapPartitionsWithIndex() to each RDDs of this DStream. """ return self.transform(lambda rdd: rdd.mapPartitionsWithIndex(f, preservesPartitioning))
[ "def", "mapPartitionsWithIndex", "(", "self", ",", "f", ",", "preservesPartitioning", "=", "False", ")", ":", "return", "self", ".", "transform", "(", "lambda", "rdd", ":", "rdd", ".", "mapPartitionsWithIndex", "(", "f", ",", "preservesPartitioning", ")", ")" ]
Return a new DStream in which each RDD is generated by applying mapPartitionsWithIndex() to each RDDs of this DStream.
[ "Return", "a", "new", "DStream", "in", "which", "each", "RDD", "is", "generated", "by", "applying", "mapPartitionsWithIndex", "()", "to", "each", "RDDs", "of", "this", "DStream", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L114-L119
apache/spark
python/pyspark/streaming/dstream.py
DStream.reduce
def reduce(self, func): """ Return a new DStream in which each RDD has a single element generated by reducing each RDD of this DStream. """ return self.map(lambda x: (None, x)).reduceByKey(func, 1).map(lambda x: x[1])
python
def reduce(self, func): """ Return a new DStream in which each RDD has a single element generated by reducing each RDD of this DStream. """ return self.map(lambda x: (None, x)).reduceByKey(func, 1).map(lambda x: x[1])
[ "def", "reduce", "(", "self", ",", "func", ")", ":", "return", "self", ".", "map", "(", "lambda", "x", ":", "(", "None", ",", "x", ")", ")", ".", "reduceByKey", "(", "func", ",", "1", ")", ".", "map", "(", "lambda", "x", ":", "x", "[", "1", "]", ")" ]
Return a new DStream in which each RDD has a single element generated by reducing each RDD of this DStream.
[ "Return", "a", "new", "DStream", "in", "which", "each", "RDD", "has", "a", "single", "element", "generated", "by", "reducing", "each", "RDD", "of", "this", "DStream", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L121-L126
apache/spark
python/pyspark/streaming/dstream.py
DStream.reduceByKey
def reduceByKey(self, func, numPartitions=None): """ Return a new DStream by applying reduceByKey to each RDD. """ if numPartitions is None: numPartitions = self._sc.defaultParallelism return self.combineByKey(lambda x: x, func, func, numPartitions)
python
def reduceByKey(self, func, numPartitions=None): """ Return a new DStream by applying reduceByKey to each RDD. """ if numPartitions is None: numPartitions = self._sc.defaultParallelism return self.combineByKey(lambda x: x, func, func, numPartitions)
[ "def", "reduceByKey", "(", "self", ",", "func", ",", "numPartitions", "=", "None", ")", ":", "if", "numPartitions", "is", "None", ":", "numPartitions", "=", "self", ".", "_sc", ".", "defaultParallelism", "return", "self", ".", "combineByKey", "(", "lambda", "x", ":", "x", ",", "func", ",", "func", ",", "numPartitions", ")" ]
Return a new DStream by applying reduceByKey to each RDD.
[ "Return", "a", "new", "DStream", "by", "applying", "reduceByKey", "to", "each", "RDD", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L128-L134
apache/spark
python/pyspark/streaming/dstream.py
DStream.combineByKey
def combineByKey(self, createCombiner, mergeValue, mergeCombiners, numPartitions=None): """ Return a new DStream by applying combineByKey to each RDD. """ if numPartitions is None: numPartitions = self._sc.defaultParallelism def func(rdd): return rdd.combineByKey(createCombiner, mergeValue, mergeCombiners, numPartitions) return self.transform(func)
python
def combineByKey(self, createCombiner, mergeValue, mergeCombiners, numPartitions=None): """ Return a new DStream by applying combineByKey to each RDD. """ if numPartitions is None: numPartitions = self._sc.defaultParallelism def func(rdd): return rdd.combineByKey(createCombiner, mergeValue, mergeCombiners, numPartitions) return self.transform(func)
[ "def", "combineByKey", "(", "self", ",", "createCombiner", ",", "mergeValue", ",", "mergeCombiners", ",", "numPartitions", "=", "None", ")", ":", "if", "numPartitions", "is", "None", ":", "numPartitions", "=", "self", ".", "_sc", ".", "defaultParallelism", "def", "func", "(", "rdd", ")", ":", "return", "rdd", ".", "combineByKey", "(", "createCombiner", ",", "mergeValue", ",", "mergeCombiners", ",", "numPartitions", ")", "return", "self", ".", "transform", "(", "func", ")" ]
Return a new DStream by applying combineByKey to each RDD.
[ "Return", "a", "new", "DStream", "by", "applying", "combineByKey", "to", "each", "RDD", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L136-L146
apache/spark
python/pyspark/streaming/dstream.py
DStream.partitionBy
def partitionBy(self, numPartitions, partitionFunc=portable_hash): """ Return a copy of the DStream in which each RDD are partitioned using the specified partitioner. """ return self.transform(lambda rdd: rdd.partitionBy(numPartitions, partitionFunc))
python
def partitionBy(self, numPartitions, partitionFunc=portable_hash): """ Return a copy of the DStream in which each RDD are partitioned using the specified partitioner. """ return self.transform(lambda rdd: rdd.partitionBy(numPartitions, partitionFunc))
[ "def", "partitionBy", "(", "self", ",", "numPartitions", ",", "partitionFunc", "=", "portable_hash", ")", ":", "return", "self", ".", "transform", "(", "lambda", "rdd", ":", "rdd", ".", "partitionBy", "(", "numPartitions", ",", "partitionFunc", ")", ")" ]
Return a copy of the DStream in which each RDD are partitioned using the specified partitioner.
[ "Return", "a", "copy", "of", "the", "DStream", "in", "which", "each", "RDD", "are", "partitioned", "using", "the", "specified", "partitioner", "." ]
train
https://github.com/apache/spark/blob/618d6bff71073c8c93501ab7392c3cc579730f0b/python/pyspark/streaming/dstream.py#L148-L153