我有以下数据框
+----+-------+
|item| path|
+----+-------+
| a| a/b/c|
| b| e/b/f|
| d|e/b/d/h|
| c| g/h/c|
+----+-------+
我想通过在列'path'
中找到其值并提取路径的 LHS 来查找列"item"
的相对路径,如下所示
+----+-------+--------+
|item| path|rel_path|
+----+-------+--------+
| a| a/b/c| a|
| b| e/b/f| e/b|
| d|e/b/d/h| e/b/d|
| c| g/h/c| g/h/c|
+----+-------+--------+
我尝试使用split((str, pattern)
或regexp_extract(str, pattern, idx)
函数,但不确定如何将列'item'
的值传递到他们的模式部分。知道如何在不编写函数的情况下做到这一点吗?
pyspark.sql.functions.expr
将列值作为参数传递给regexp_replace
。在这里,您需要将item
的负面回溯与.+
连接起来以匹配之后的所有内容,并替换为空字符串。
from pyspark.sql.functions import expr
df.withColumn(
"rel_path",
expr("regexp_replace(path, concat('(?<=',item,').+'), '')")
).show()
#+----+-------+--------+
#|item| path|rel_path|
#+----+-------+--------+
#| a| a/b/c| a|
#| b| e/b/f| e/b|
#| d|e/b/d/h| e/b/d|
#| c| g/h/c| g/h/c|
#+----+-------+--------+
您可以使用 substring
和 instr
的组合获得所需的结果
substring
- 从列/字符串中获取子集
instr
- 标识搜索字符串中特定模式的位置。
df = spark.createDataFrame([('a','a/b/c'),
('b','e/b/f'),
('d','e/b/d/h'),
('c','g/h/c')],'item : string , path : string')
from pyspark.sql.functions import expr, instr, substring
df.withColumn("rel_path",expr("substring(path, 1, (instr(path,item)))")).show()
##+----+-------+--------+
##|item| path|rel_path|
##+----+-------+--------+
##| a| a/b/c| a|
##| b| e/b/f| e/b|
##| d|e/b/d/h| e/b/d|
##| c| g/h/c| g/h/c|
##+----+-------+--------+